IdentifiantMot de passe
Loading...
Mot de passe oublié ?Je m'inscris ! (gratuit)
Navigation

Inscrivez-vous gratuitement
pour pouvoir participer, suivre les réponses en temps réel, voter pour les messages, poser vos propres questions et recevoir la newsletter

Langage Delphi Discussion :

Importation de données Csv vers DataSet


Sujet :

Langage Delphi

  1. #1
    Membre averti
    Avatar de XeGregory
    Homme Profil pro
    Passionné par la programmation
    Inscrit en
    Janvier 2017
    Messages
    341
    Détails du profil
    Informations personnelles :
    Sexe : Homme
    Âge : 36
    Localisation : France, Marne (Champagne Ardenne)

    Informations professionnelles :
    Activité : Passionné par la programmation
    Secteur : High Tech - Matériel informatique

    Informations forums :
    Inscription : Janvier 2017
    Messages : 341
    Points : 312
    Points
    312
    Par défaut Importation de données Csv vers DataSet
    Bonjour,

    J'ai actuellement une simple fonction d'importation de données via un fichier CSV.
    La question que je me pose est : est-il normal que cela prenne une plombe à importer 90000 enregistrements dans une table ? (~ plus de 5 minutes).

    Code : Sélectionner tout - Visualiser dans une fenêtre à part
    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    16
    17
    18
    19
    20
    21
    22
    23
    24
    25
    26
    27
    28
    29
    30
    31
    32
    33
    34
    35
    36
    37
    38
    39
    40
    41
    42
    43
    44
    45
    46
    47
    48
    49
    50
    51
    { ImportCsvToTab }
    procedure ImportCsvToTab(Table: TABSTable; const FileName: String);
    var
      I: Integer;
      Data: String;
      FileCsv: TextFile;
      Csv: TStringList;
    begin
      Csv := TStringList.Create;
      Csv.StrictDelimiter := True;
      Csv.QuoteChar := '"';
      Csv.Delimiter := ',';
     
      AssignFile(FileCsv, FileName);
      Reset(FileCsv);
     
      Table.DisableControls;
      while not Eof(FileCsv) do
      begin
        Readln(FileCsv, Data);
        Csv.DelimitedText := Data;
     
        if IsEmptyStr(Data) then // Ignore les lignes vides
          Continue;
     
        Table.Append;
     
        for I := 0 to Csv.Count - 1 do
        begin
          if I <= Table.FieldDefs.Count - 1 then 
          begin // Ne prends pas en compte les types de données suivants :
            if not(Table.Fields[I].DataType in [ftAutoInc, ftMemo, ftFmtMemo, ftGraphic, ftBlob]) then
            begin
              try
                Table.Fields[I].Value := Csv[I];
              except
                Table.Fields[I].Value := Null; 
              end;
            end;
          end;
        end;
     
        Table.Post;
      end;
     
      Table.First;
      Table.EnableControls;
     
      FreeAndNil(Csv);
      CloseFile(FileCsv);
    end;
    Merci
    Vous ne pouvez pas faire confiance à un code que vous n'avez pas totalement rédigé vous-même.
    Ce n’est pas un bogue - c’est une fonctionnalité non documentée.

  2. #2
    Membre expert

    Homme Profil pro
    Développeur informatique
    Inscrit en
    Novembre 2007
    Messages
    3 523
    Détails du profil
    Informations personnelles :
    Sexe : Homme
    Âge : 63
    Localisation : France, Rhône (Rhône Alpes)

    Informations professionnelles :
    Activité : Développeur informatique

    Informations forums :
    Inscription : Novembre 2007
    Messages : 3 523
    Points : 3 148
    Points
    3 148
    Par défaut
    Quel est le SGBD au bout de la chaîne ?
    J-L aka Papy pour les amis

  3. #3
    Membre averti
    Avatar de XeGregory
    Homme Profil pro
    Passionné par la programmation
    Inscrit en
    Janvier 2017
    Messages
    341
    Détails du profil
    Informations personnelles :
    Sexe : Homme
    Âge : 36
    Localisation : France, Marne (Champagne Ardenne)

    Informations professionnelles :
    Activité : Passionné par la programmation
    Secteur : High Tech - Matériel informatique

    Informations forums :
    Inscription : Janvier 2017
    Messages : 341
    Points : 312
    Points
    312
    Par défaut
    Citation Envoyé par Papy214 Voir le message
    Quel est le SGBD au bout de la chaîne ?
    Absolute Database
    Vous ne pouvez pas faire confiance à un code que vous n'avez pas totalement rédigé vous-même.
    Ce n’est pas un bogue - c’est une fonctionnalité non documentée.

  4. #4
    Membre expert

    Homme Profil pro
    Développeur informatique
    Inscrit en
    Novembre 2007
    Messages
    3 523
    Détails du profil
    Informations personnelles :
    Sexe : Homme
    Âge : 63
    Localisation : France, Rhône (Rhône Alpes)

    Informations professionnelles :
    Activité : Développeur informatique

    Informations forums :
    Inscription : Novembre 2007
    Messages : 3 523
    Points : 3 148
    Points
    3 148
    Par défaut
    Connais pas !
    Il n'y a pas de façon simple avec ce système ? Comme un import direct avec MySQL par exemple ?
    J-L aka Papy pour les amis

  5. #5
    Membre averti
    Avatar de XeGregory
    Homme Profil pro
    Passionné par la programmation
    Inscrit en
    Janvier 2017
    Messages
    341
    Détails du profil
    Informations personnelles :
    Sexe : Homme
    Âge : 36
    Localisation : France, Marne (Champagne Ardenne)

    Informations professionnelles :
    Activité : Passionné par la programmation
    Secteur : High Tech - Matériel informatique

    Informations forums :
    Inscription : Janvier 2017
    Messages : 341
    Points : 312
    Points
    312
    Par défaut
    Citation Envoyé par Papy214 Voir le message
    Connais pas !
    Il n'y a pas de façon simple avec ce système ? Comme un import direct avec MySQL par exemple ?
    Si cela est possible visa le SQL https://www.componentace.com/sql/insert-into.htm
    https://www.componentace.com/sql-query-delphi.htm
    Vous ne pouvez pas faire confiance à un code que vous n'avez pas totalement rédigé vous-même.
    Ce n’est pas un bogue - c’est une fonctionnalité non documentée.

  6. #6
    Membre averti
    Avatar de XeGregory
    Homme Profil pro
    Passionné par la programmation
    Inscrit en
    Janvier 2017
    Messages
    341
    Détails du profil
    Informations personnelles :
    Sexe : Homme
    Âge : 36
    Localisation : France, Marne (Champagne Ardenne)

    Informations professionnelles :
    Activité : Passionné par la programmation
    Secteur : High Tech - Matériel informatique

    Informations forums :
    Inscription : Janvier 2017
    Messages : 341
    Points : 312
    Points
    312
    Par défaut
    Je pense savoir quelle est la cause du problème dans mon fichier csv, J'ai des données de type ftFloat & ftCurrency.
    J'ai testé de restructurer la table avec un type ftString pour les champs de type ftFloat & ftCurrency.

    L'importation du fichier Csv se fait en 10 secondes.

    Je pense qu'il faut que je modifie le format, remplacer le point par une virgule.
    Code : Sélectionner tout - Visualiser dans une fenêtre à part
    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    16
    17
    18
    19
    20
    21
    22
    23
    24
    25
    26
    27
    28
    29
    30
    31
    32
    33
    34
    35
    36
    37
    38
    39
    40
    41
    42
    43
    44
    45
    46
    47
    48
    49
    50
    51
    52
    53
    54
    55
    56
    57
    58
    59
    60
    61
    { ImportCsvToTab }
    procedure ImportCsvToTab(Table: TABSTable; const FileName: String);
    var
      I: Integer;
      Data: String;
      FileCsv: TextFile;
      Csv: TStringList;
      FormatSettings: TFormatSettings;
    begin
      FormatSettings.DecimalSeparator := '.';
     
      Csv := TStringList.Create;
      Csv.StrictDelimiter := True;
      Csv.QuoteChar := '"';
      Csv.Delimiter := ',';
     
      AssignFile(FileCsv, FileName);
      Reset(FileCsv);
     
      Table.DisableControls;
      while not Eof(FileCsv) do
      begin
        Csv.Clear;
        Readln(FileCsv, Data);
        Csv.DelimitedText := Data;
     
        if IsEmptyStr(Data) then
          Continue;
     
        Table.Append;
     
        for I := 0 to Csv.Count - 1 do
        begin
          if I <= Table.FieldDefs.Count - 1 then
          begin
            if not(Table.Fields[I].DataType in [ftAutoInc, ftMemo, ftFmtMemo, ftGraphic, ftBlob]) then
            begin
              if IsEmptyStr(Csv[I]) then
                Continue;
     
              try
                if Table.Fields[I].DataType in [ftFloat, ftCurrency] then
                  Csv[I] := FloatToStr(StrToFloat(Csv[I], FormatSettings));
     
                Table.Fields[I].Value := Csv[I];
              except
                Table.Fields[I].Value := Null;
              end;
            end;
          end;
        end;
     
        Table.Post;
      end;
     
      Table.First;
      Table.EnableControls;
     
      FreeAndNil(Csv);
      CloseFile(FileCsv);
    end;
    Vous ne pouvez pas faire confiance à un code que vous n'avez pas totalement rédigé vous-même.
    Ce n’est pas un bogue - c’est une fonctionnalité non documentée.

  7. #7
    Expert éminent sénior
    Avatar de ShaiLeTroll
    Homme Profil pro
    Développeur C++\Delphi
    Inscrit en
    Juillet 2006
    Messages
    13 827
    Détails du profil
    Informations personnelles :
    Sexe : Homme
    Âge : 43
    Localisation : France, Seine Saint Denis (Île de France)

    Informations professionnelles :
    Activité : Développeur C++\Delphi
    Secteur : High Tech - Éditeur de logiciels

    Informations forums :
    Inscription : Juillet 2006
    Messages : 13 827
    Points : 25 886
    Points
    25 886
    Par défaut
    Faudrait voir en générant le SQL au lieu de faire un Append/Post
    En général, c'est ce que je fais, un CSV to SQL, le SQL lui peut être exécuté en parallèle en même temps que l'on lit le fichier, sous forme d'une FIFO.
    Un Thread lit le fichier, génère un lot de SQL et l'ajoute à une TThreadList et un second thread dépile cette dernière.

    Un lot serait plusieurs d'un coup dans un seul INSERT comme expliqué dans la doc : INSERT INTO developers (code, name) VALUES (5, 'Bob'), (6,'John');



    Dans ce cas de génération SQL, il n'y a pas de problème de séparateur décimal lié l'OS, mais celui au format source et au format destination

    Soit
    , pour un CSV Français à base de ;
    . pour le SQL

    Mais tu semble utiliser un CSV classique soit , comme séparateur et . pour décimal, cela simplifie grandement la tache puisque dans ce cas généré le SQL sera plus simple



    J'ai en encore le source D6 d'un Paradox To SQL Oracle, j'avais utilisé une série de fichier servant de template SQL, ça je les ai plus
    C'est presque la même chose, on peut considérer qu'un CSV -> SQL ABS c'est pareil que PDX -> SQL ORACLE.

    Code : Sélectionner tout - Visualiser dans une fenêtre à part
    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    16
    17
    18
    19
    20
    21
    22
    23
    24
    25
    26
    27
    28
    29
    30
    31
    32
    33
    34
    35
    36
    37
    38
    39
    40
    41
    42
    43
    44
    45
    46
    47
    48
    49
    50
    51
    52
    53
    54
    55
    56
    57
    58
    59
    60
    61
    62
    63
    64
    65
    66
    67
    68
    69
    70
    71
    72
    73
    74
    75
    76
    77
    78
    79
    80
    81
    82
    83
    84
    85
    86
    87
    88
    89
    90
    91
    92
    93
    94
    95
    96
    97
    98
    99
    100
    101
    102
    103
    104
    105
    106
    107
    108
    109
    110
    111
    112
    113
    114
    115
    116
    117
    118
    119
    120
    121
    122
    123
    124
    125
    126
    127
    128
    129
    130
    131
    132
    133
    134
    135
    136
    137
    138
    139
    140
    141
    142
    143
    144
    145
    146
    147
    148
    149
    150
    151
    152
    153
    154
    155
    156
    157
    158
    159
    160
    161
    162
    163
    164
    165
    166
    167
    168
    169
    170
    171
    172
    173
    174
    175
    176
    177
    178
    179
    180
    181
    182
    183
    184
    185
    186
    187
    188
    189
    190
    191
    192
    193
    194
    195
    196
    197
    198
    199
    200
    201
    202
    203
    204
    205
    206
    207
    208
    209
    210
    211
    212
    213
    214
    215
    216
    217
    218
    219
    220
    221
    222
    223
    224
    225
    226
    227
    228
    229
    230
    231
    232
    233
    234
    235
    236
    237
    238
    239
    240
    241
    242
    243
    244
    245
    246
    247
    248
    249
    250
    251
    252
    253
    254
    255
    256
    257
    258
    259
    260
    261
    262
    263
    264
    265
    266
    267
    268
    269
    270
    271
    272
    273
    274
    275
    276
    277
    278
    279
    280
    281
    282
    283
    284
    285
    286
    287
    288
    289
    290
    291
    292
    293
    294
    295
    296
    297
    298
    299
    300
    301
    302
    303
    304
    305
    306
    307
    308
    309
    310
    311
    312
    313
    314
    315
    316
    317
    318
    319
    320
    321
    322
    323
    324
    325
    326
    327
    328
    329
    330
    331
    332
    333
    334
    335
    336
    337
    338
    339
    340
    341
    342
    343
    344
    345
    346
    347
    348
    349
    350
    351
    352
    353
    354
    355
    356
    357
    358
    359
    360
    361
    362
    363
    unit uParadoxToSQLForm;
     
    interface
     
    uses
      Windows, Messages, SysUtils, Variants, Classes, Graphics, Controls, Forms,
      Dialogs, DB, DBTables, Grids, DBGrids, StdCtrls, ExtCtrls, TypInfo, Types, StrUtils,
      ComCtrls, Contnrs, clipbrd, epcStringUtils, DBCtrls, ADODB, IniFiles,
      Buttons;
     
    type
      TParadoxToSQLForm = class(TForm)
        PanelButton: TPanel;
        EdDataBaseName: TLabeledEdit;
        EdTableName: TLabeledEdit;
        BtnOpen: TButton;
        MemoSQLTemplate: TMemo;
        MemoValues: TMemo;
        BtnExtractValues: TButton;
        DataSourceValues: TDataSource;
        TableValues: TTable;
        OpenDialogTemplate: TOpenDialog;
        BtnOpenTemplate: TButton;
        BtnSaveTemplate: TButton;
        SaveDialogTemplate: TSaveDialog;
        BtnExecuteByBDE: TButton;
        QueryValues: TQuery;
        EdDelphiDateTimeFormat: TLabeledEdit;
        EdSQLDateTimeFormat: TLabeledEdit;
        EdDelphiDateFormat: TLabeledEdit;
        EdSQLDateFormat: TLabeledEdit;
        SplitterGridBottom: TSplitter;
        SplitterGridTop: TSplitter;
        PanelGrid: TPanel;
        DBGridValues: TDBGrid;
        DBNavigatorValues: TDBNavigator;
        ProgressBarValues: TProgressBar;
        BtnSaveSQL: TButton;
        ADOQueryValues: TADOQuery;
        BtnExecuteByADO: TButton;
        SaveDialogSQL: TSaveDialog;
        BtnRunWorkList: TSpeedButton;
        procedure BtnOpenClick(Sender: TObject);
        procedure BtnExtractValuesClick(Sender: TObject);
        procedure BtnOpenTemplateClick(Sender: TObject);
        procedure BtnSaveTemplateClick(Sender: TObject);
        procedure BtnExecuteByBDEClick(Sender: TObject);
        procedure MemoValuesKeyPress(Sender: TObject; var Key: Char);
        procedure BtnExecuteByADOClick(Sender: TObject);
        procedure BtnSaveSQLClick(Sender: TObject);
        procedure BtnRunWorkListClick(Sender: TObject);
      private
        { Déclarations privées }
      public
        { Déclarations publiques }
      end;
     
    var
      ParadoxToSQLForm: TParadoxToSQLForm;
     
    implementation
     
    {$R *.dfm}
     
    function ReplaceChar(const S: string; const OldChar, NewChar: Char): string;
    var
      i: Integer;
      p: PChar;
    begin
       if OldChar = NewChar then
         Exit;
     
       Result := S;
       p := @Result[1];
       for i := 0 to Length(S)-1 do
          if PChar(p+i)^ = OldChar then
             PChar(p+i)^ := NewChar;
    end;
     
    procedure TParadoxToSQLForm.MemoValuesKeyPress(Sender: TObject; var Key: Char);
    begin
      if (Key = #3) or (Key = #24) then // Copier / Couper
      begin
        Key := #0;
        Clipboard.AsText := ReplaceChar(MemoValues.SelText, #$A0, #10);
      end;
    end;
     
    procedure TParadoxToSQLForm.BtnOpenClick(Sender: TObject);
    begin
      TableValues.Close();
      TableValues.DataBaseName := EdDataBaseName.Text;
      TableValues.TableName := EdTableName.Text;
      DataSourceValues.DataSet := TableValues;
      TableValues.Open();
    end;
     
    procedure TParadoxToSQLForm.BtnExtractValuesClick(Sender: TObject);
    var
      LineValues: array of string;
      Value, Line, Template: string;
      I: Integer;
    begin
      Template := Trim(MemoSQLTemplate.Text);
      if (Template = '') or (Pos(';', Template) > 0) then
      begin
        MessageDlg('Template SQL Incorrect', mtError, [mbAbort], 0);
        Exit;
      end;
     
      MemoValues.Lines.Clear();
     
      TableValues.First();
      SetLength(LineValues, TableValues.Fields.Count);
      while not TableValues.Eof do
      begin
        ZeroMemory(@LineValues[0], SizeOf(string) * Length(LineValues));
        for I := 0 to TableValues.Fields.Count - 1 do
        begin
          if TableValues.Fields.Fields[I].IsNull then
          begin
            Value := 'NULL';
          end
          else
          begin
            try
              case TableValues.Fields.Fields[I].DataType of
                ftString : Value := QuotedStr(Format('%s', [TableValues.Fields.Fields[I].AsString]));
                ftAutoInc : Value := TableValues.Fields.Fields[I].AsString;
                ftInteger : Value := TableValues.Fields.Fields[I].AsString;
                ftFloat : Value := ReplaceChar(TableValues.Fields.Fields[I].AsString, ',', '.');
                ftDate : Value := Format(EdSQLDateFormat.Text, [FormatDateTime(EdDelphiDateFormat.Text, TableValues.Fields.Fields[I].AsDateTime)]);
                ftDateTime : Value := Format(EdSQLDateTimeFormat.Text, [FormatDateTime(EdDelphiDateTimeFormat.Text, TableValues.Fields.Fields[I].AsDateTime)]);
                ftBlob : Value := QuotedStr(Format('%s', [TableValues.Fields.Fields[I].AsString]));
                ftMemo : Value := QuotedStr(Format('%s', [TableValues.Fields.Fields[I].AsString]));
                ftFmtMemo : Value := QuotedStr(Format('%s', [TableValues.Fields.Fields[I].AsString]));
                ftBoolean : Value := QuotedStr(Format('%s', [IfThen(TableValues.Fields.Fields[I].AsBoolean, 'T', 'F')]));
              else
                MessageDlg(Format('Type "%s" non géré', [GetEnumName(TypeInfo(TFieldType), Ord(TableValues.Fields.Fields[I].DataType))]), mtWarning, [mbAbort], 0);
                Exit;
              end;
            except
              on E: Exception do
              begin
                MessageDlg(Format('Valeur du Champ "%s" incorrect remplacé par NULL', [TableValues.Fields.Fields[I].FieldName]), mtInformation, [mbIgnore], 0);
                Value := 'NULL';
              end;
            end;
          end;
          LineValues[I] := ReplaceChar(ReplaceChar(Value, #0, ' '), #$A0, ' '); // les Blobs contiennent un Zéro terminal ... le Blank est un séparateur interne, on le supprime des contenus
        end;
     
        Line := LineValues[Low(LineValues)];
        for I := Succ(Low(LineValues)) to High(LineValues) do
          Line := Line + ',' + LineValues[I];
     
        MemoValues.Lines.Add(Format(Template, [Line]) + ';'#$A0);
     
        TableValues.Next();
      end;
    end;
     
    procedure TParadoxToSQLForm.BtnOpenTemplateClick(Sender: TObject);
    begin
      OpenDialogTemplate.InitialDir := ExtractFileDir(Application.ExeName);
      if OpenDialogTemplate.Execute then
      begin
        MemoSQLTemplate.Lines.LoadFromFile(OpenDialogTemplate.FileName);
        SaveDialogTemplate.FileName := OpenDialogTemplate.FileName;
      end;
     
      if Pos(';', MemoSQLTemplate.Lines.Text) > 0 then
      begin
        MessageDlg('Caractère ";" Interdit', mtError, [mbAbort], 0);
        MemoSQLTemplate.Lines.Clear();
      end;
    end;
     
    procedure TParadoxToSQLForm.BtnSaveTemplateClick(Sender: TObject);
    begin
      if Pos(';', MemoSQLTemplate.Lines.Text) > 0 then
      begin
        MessageDlg('Caractère ";" Interdit', mtError, [mbAbort], 0);
        Exit;
      end;
     
      SaveDialogTemplate.InitialDir := ExtractFileDir(Application.ExeName);
      if SaveDialogTemplate.Execute then
      begin
        MemoSQLTemplate.Lines.SaveToFile(SaveDialogTemplate.FileName);
        OpenDialogTemplate.FileName := SaveDialogTemplate.FileName;
      end;
    end;
     
    procedure TParadoxToSQLForm.BtnExecuteByBDEClick(Sender: TObject);
    var
      DataBaseName: string;
      SQL: string;
      I: Integer;
      A: Types.TStringDynArray;
    begin
      DatabaseName := QueryValues.DatabaseName;
      if not Self.Enabled or InputQuery('Paradox To SQL DataBase', 'SQL To DataBase Name', DataBaseName) then
      begin
        QueryValues.DatabaseName := DataBaseName;
        QueryValues.ParamCheck := False;
     
        ExplodeLazy(MemoValues.Text, A, #$A0);
        ProgressBarValues.Max := Length(A);
        ProgressBarValues.Position := 0;
     
        TableValues.First();
        for I := Low(A) to High(A) do
        begin
          TableValues.Next();
     
          SQL := Trim(Copy(A[I], 1, Length(A[I]) - 1));
          if SQL <> '' then
          begin
            QueryValues.SQL.Text := SQL;
            try
              QueryValues.ExecSQL();
            except
              on E: Exception do
                raise ExceptClass(E.ClassType).CreateFmt('SQL = '#13'%s'#13#13'Error : "%s"', [SQL, E.Message]);
            end;
          end;
          ProgressBarValues.StepIt();
        end;
      end;
    end;
     
    procedure TParadoxToSQLForm.BtnExecuteByADOClick(Sender: TObject);
    var
      ConnectionString: string;
      SQL: string;
      I: Integer;
      A: Types.TStringDynArray;
    begin
      ConnectionString := ADOQueryValues.ConnectionString;
      if not Self.Enabled or InputQuery('Paradox To SQL DataBase', 'ODBC ConnectionString', ConnectionString) then
      begin
        ADOQueryValues.ConnectionString := ConnectionString;
        ADOQueryValues.ParamCheck := False;
     
        ExplodeLazy(MemoValues.Text, A, #$A0);
        ProgressBarValues.Max := Length(A);
        ProgressBarValues.Position := 0;
     
        TableValues.First();
        for I := Low(A) to High(A) do
        begin
          TableValues.Next();
     
          SQL := Trim(Copy(A[I], 1, Length(A[I]) - 1));
          if SQL <> '' then
          begin
            ADOQueryValues.SQL.Text := SQL;
            try
              ADOQueryValues.ExecSQL();
            except
              on E: Exception do
                raise ExceptClass(E.ClassType).CreateFmt('SQL = '#13'%s'#13#13'Error : "%s"', [SQL, E.Message]);
            end;
          end;
          ProgressBarValues.StepIt();
        end;
      end;
    end;
     
    procedure TParadoxToSQLForm.BtnSaveSQLClick(Sender: TObject);
    var
      SaveList: TStringList;
    begin
      SaveDialogSQL.InitialDir := ExtractFileDir(Application.ExeName);
      if SaveDialogSQL.Execute then
      begin
        SaveList := TStringList.Create();
        try
          SaveList.Add(ReplaceChar(MemoValues.SelText, #$A0, #10));
          SaveList.SaveToFile(SaveDialogSQL.FileName);
        finally
          SaveList.Free();
        end;
      end;
    end;
     
    procedure TParadoxToSQLForm.BtnRunWorkListClick(Sender: TObject);
    var
      WorkList: TIniFile;
      SQLMode: string;
      IsBDE, IsADO, DoReadSQL: Boolean;
      TablesNames: TStringList;
      I: Integer;
      Template: string;
    begin
      Self.Enabled := False;
      try
        WorkList := TIniFile.Create(ChangeFileExt(Application.ExeName, '.SQL.WL'));
        try
          if WorkList.SectionExists('PARAMS') and WorkList.SectionExists('SQL') then
          begin
            SQLMode := WorkList.ReadString('PARAMS', 'SQL_MODE', '');
            DoReadSQL := False;
            IsBDE := SQLMode = 'BDE';
            if IsBDE then
            begin
              QueryValues.DatabaseName := WorkList.ReadString('PARAMS', 'SQL_DATABASE_NAME', '');
              QueryValues.ParamCheck := False;
              DoReadSQL := True;
            end;
     
            IsADO := SQLMode = 'ADO';
            if IsADO then
            begin
              ADOQueryValues.ConnectionString := WorkList.ReadString('PARAMS', 'SQL_CONNEXION_STRING', '');
              ADOQueryValues.ParamCheck := False;
              DoReadSQL := True;
            end;
     
            if DoReadSQL then
            begin
              EdDataBaseName.Text := WorkList.ReadString('PARAMS', 'PARADOX_DATABASE_NAME', '');
              if EdDataBaseName.Text <> '' then
              begin
                MessageDlg('Pière de surveiller le Traitemet car des Messages peuvent survenir durant celui-ci !', mtInformation, [mbOK], 0);
     
                TablesNames := TStringList.Create();
                try
                  WorkList.ReadSection('SQL', TablesNames);
                  for I := 0 to TablesNames.Count - 1 do
                  begin
                    EdTableName.Text := TablesNames[I];
                    Template := WorkList.ReadString('SQL', TablesNames[I], '');
                    if Template <> '' then
                    begin
                      MemoSQLTemplate.Lines.LoadFromFile(Template);
                      if Pos(';', MemoSQLTemplate.Lines.Text) = 0 then
                      begin
                        BtnOpen.Click();
                        BtnExtractValues.Click();
                        if IsBDE then
                          BtnExecuteByBDE.Click()
                        else
                          BtnExecuteByADO.Click();
                      end;
                    end;
                  end;
                finally
                  TablesNames.Free();
                end;
              end;
            end;
          end;
        finally
          WorkList.Free();
        end;
      finally
        Self.Enabled := True;
      end;
    end;
     
    end.
    Nom : Sans titre.png
Affichages : 69
Taille : 13,8 Ko
    Aide via F1 - FAQ - Guide du développeur Delphi devant un problème - Pensez-y !
    Attention Troll Méchant !
    "Quand un homme a faim, mieux vaut lui apprendre à pêcher que de lui donner un poisson" Confucius
    Mieux vaut se taire et paraître idiot, Que l'ouvrir et de le confirmer !
    L'ignorance n'excuse pas la médiocrité !

    L'expérience, c'est le nom que chacun donne à ses erreurs. (Oscar Wilde)
    Il faut avoir le courage de se tromper et d'apprendre de ses erreurs

  8. #8
    Expert éminent sénior
    Avatar de ShaiLeTroll
    Homme Profil pro
    Développeur C++\Delphi
    Inscrit en
    Juillet 2006
    Messages
    13 827
    Détails du profil
    Informations personnelles :
    Sexe : Homme
    Âge : 43
    Localisation : France, Seine Saint Denis (Île de France)

    Informations professionnelles :
    Activité : Développeur C++\Delphi
    Secteur : High Tech - Éditeur de logiciels

    Informations forums :
    Inscription : Juillet 2006
    Messages : 13 827
    Points : 25 886
    Points
    25 886
    Par défaut
    Ah, je l'ai retrouvé un CSVToSQL , j'avais écrit un ETL générique pour convertir un DataSet, CSV, XML, JSON en SQL, CSV, XML, JSON ... et pas mal de chose ont été délégué à Talend (c'est un outil idéal pour ça)

    Code : Sélectionner tout - Visualiser dans une fenêtre à part
    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    16
    17
    18
    19
    20
    21
    22
    23
    24
    25
    26
    27
    28
    29
    30
    31
    32
    33
    34
    35
    36
    37
    38
    39
    40
    41
    42
    43
    44
    45
    46
    47
    48
    49
    50
    51
    52
    53
    54
    55
    56
    57
    58
    59
    60
    61
    62
    63
    64
    65
    66
    67
    68
    69
    70
    71
    72
    73
    74
    75
    76
    77
    78
    79
    80
    81
    82
    83
    84
    85
    86
    87
    88
    89
    90
    91
    92
    93
    94
    95
    96
    97
    98
    99
    100
    101
    102
    103
    104
    105
    106
    107
    108
    109
    110
    111
    112
    113
    114
    115
    116
    117
    118
    119
    120
    121
    122
    123
    124
    125
    126
    127
    128
    129
    130
    131
    132
    133
    134
    135
    136
    137
    138
    139
    140
    141
    142
    143
    144
    145
    146
    147
    148
    149
    150
    151
    152
    153
    154
    155
    156
    157
    158
    159
    160
    161
    162
    163
    164
    165
    166
    167
    168
    169
    170
    171
    172
    173
    174
    175
    176
    177
    178
    179
    180
    181
    182
    183
    184
    185
    186
    187
    188
    189
    190
    191
    192
    193
    194
    195
    196
    197
    198
    199
    200
    201
    202
    203
    204
    205
    206
    207
    208
    209
    210
    211
    212
    213
    214
    215
    216
    217
    218
    219
    220
    221
    222
    223
    224
    225
    226
    227
    228
    229
    230
    231
    232
    233
    234
    235
    236
    237
    238
    239
    240
    241
    242
    243
    244
    245
    246
    247
    248
    249
    250
    251
    252
    253
    254
    255
    256
    257
    258
    259
    260
    261
    262
    263
    264
    265
    266
    267
    268
    269
    270
    271
    272
    273
    274
    275
    276
    277
    278
    279
    280
    281
    282
    283
    284
    285
    286
    287
    288
    289
    290
    291
    292
    293
    294
    295
    296
    297
    298
    299
    300
    301
    302
    303
    304
    305
    306
    307
    308
    309
    310
    311
    312
    313
    314
    315
    316
    317
    318
    319
    320
    321
    322
    323
    324
    325
    326
    327
    328
    329
    330
    331
    332
    333
    334
    335
    336
    337
    338
    339
    340
    341
    342
    343
    344
    345
    346
    347
    348
    349
    350
    351
    352
    353
    354
    355
    356
    357
    358
    359
    360
    361
    362
    363
    364
    365
    366
    367
    368
    369
    370
    371
    372
    373
    374
    375
    376
    377
    378
    379
    380
    381
    382
    383
    384
    385
    386
    387
    388
    389
    390
    391
    392
    393
    394
    395
    396
    397
    398
    399
    400
    401
    402
    403
    404
    405
    406
    407
    408
    409
    410
    411
    412
    413
    414
    415
    416
    417
    418
    419
    420
    421
    422
    423
    424
    425
    426
    427
    428
    429
    430
    431
    432
    433
    434
    435
    436
    437
    438
    439
    440
    441
    442
    443
    444
    445
    446
    447
    448
    449
    450
    451
    452
    453
    454
    455
    456
    457
    458
    459
    460
    461
    462
    463
    464
    465
    466
    467
    468
    469
    470
    471
    472
    473
    474
    475
    476
    477
    478
    479
    480
    481
    482
    483
    484
    485
    486
    487
    488
    489
    490
    491
    492
    493
    494
    495
    496
    497
    498
    499
    500
    501
    502
    503
    504
    505
    506
    507
    508
    509
    510
    511
    512
    513
    514
    515
    516
    517
    518
    519
    520
    521
    522
    523
    524
    525
    526
    527
    528
    529
    530
    531
    532
    533
    534
    535
    536
    537
    538
    539
    540
    541
    542
    543
    544
    545
    546
    547
    548
    549
    550
    551
    552
    553
    554
    555
    556
    557
    558
    559
    560
    561
    562
    563
    564
    565
    566
    567
    568
    569
    570
    571
    572
    573
    574
    575
    576
    577
    578
    579
    580
    581
    582
    583
    584
    585
    586
    587
    588
    589
    590
    591
    592
    593
    594
    595
    596
    597
    598
    599
    600
    601
    602
    603
    604
    605
    606
    607
    608
    609
    610
    611
    612
    613
    614
    615
    616
    617
    618
    619
    620
    621
    622
    623
    624
    625
    626
    627
    628
    629
    630
    631
    632
    633
    634
    635
    636
    637
    638
    639
    640
    641
    642
    643
    644
    645
    646
    647
    648
    649
    650
    651
    652
    653
    654
    655
    656
    657
    658
    659
    660
    661
    662
    663
    664
    665
    666
    667
    668
    669
    670
    671
    672
    673
    674
    675
    676
    677
    678
    679
    680
    681
    682
    683
    684
    685
    686
    687
    688
    689
    690
    691
    692
    693
    694
    695
    696
    697
    698
    699
    700
    701
    702
    703
    704
    705
    706
    707
    708
    709
    710
    711
    712
    713
    714
    715
    716
    717
    718
    719
    720
    721
    722
    723
    724
    725
    726
    727
    728
    729
    730
    731
    732
    733
    734
    735
    736
    737
    738
    739
    740
    741
    742
    743
    744
    745
    746
    747
    748
    749
    750
    751
    752
    753
    754
    755
    756
    757
    758
    759
    760
    761
    762
    763
    764
    765
    766
    767
    768
    769
    770
    771
    772
    773
    774
    775
    776
    777
    778
    779
    780
    781
    782
    783
    784
    785
    786
    787
    788
    789
    790
    791
    792
    793
    794
    795
    796
    797
    798
    799
    800
    801
    802
    803
    804
    805
    806
    807
    808
    809
    810
    811
    812
    813
    814
    815
    816
    817
    818
    819
    820
    821
    822
    823
    824
    825
    826
    827
    828
    829
    830
    831
    832
    833
    834
    835
    836
    837
    838
    839
    840
    841
    842
    843
    844
    845
    846
    847
    848
    849
    850
    851
    852
    853
    854
    855
    856
    857
    858
    859
    860
    861
    862
    863
    864
    //------------------------------------------------------------------------------
    (*                SoLuTions is an Versatile Library for Delphi                 -
     *                                                                             -
     *  Copyright "SLT Solutions", (©2006)                                         -
     *  contributeur : ShaiLeTroll (2007) - Passage en Classe d'un code procédural -
     *  contributeur : ShaiLeTroll (2012) - Renommage Fichier et Correction XE2    -
     *  contributeur : ShaiLeTroll (2012) - Documentation Insight                  -
     *                                                                             -
     *                                                                             -
     * Ce logiciel est un programme informatique servant à aider les développeurs  -
     * Delphi avec une bibliothèque polyvalente, adaptable et fragmentable.        -
     *                                                                             -
     * Ce logiciel est régi par la licence CeCILL-C soumise au droit français et   -
     * respectant les principes de diffusion des logiciels libres. Vous pouvez     -
     * utiliser, modifier et/ou redistribuer ce programme sous les conditions      -
     * de la licence CeCILL-C telle que diffusée par le CEA, le CNRS et l'INRIA    -
     * sur le site "http://www.cecill.info".                                       -
     *                                                                             -
     * En contrepartie de l'accessibilité au code source et des droits de copie,   -
     * de modification et de redistribution accordés par cette licence, il n'est   -
     * offert aux utilisateurs qu'une garantie limitée.  Pour les mêmes raisons,   -
     * seule une responsabilité restreinte pèse sur l'auteur du programme,  le     -
     * titulaire des droits patrimoniaux et les concédants successifs.             -
     *                                                                             -
     * A cet égard  l'attention de l'utilisateur est attirée sur les risques       -
     * associés au chargement,  à l'utilisation,  à la modification et/ou au       -
     * développement et à la reproduction du logiciel par l'utilisateur étant      -
     * donné sa spécificité de logiciel libre, qui peut le rendre complexe à       -
     * manipuler et qui le réserve donc à des développeurs et des professionnels   -
     * avertis possédant  des  connaissances  informatiques approfondies.  Les     -
     * utilisateurs sont donc invités à charger  et  tester  l'adéquation  du      -
     * logiciel à leurs besoins dans des conditions permettant d'assurer la        -
     * sécurité de leurs systèmes et ou de leurs données et, plus généralement,    -
     * à l'utiliser et l'exploiter dans les mêmes conditions de sécurité.          -
     *                                                                             -
     * Le fait que vous puissiez accéder à cet en-tête signifie que vous avez      -
     * pris connaissance de la licence CeCILL-C, et que vous en avez accepté les   -
     * termes.                                                                     -
     *                                                                             -
     *----------------------------------------------------------------------------*)
    unit SLT.Tools.ConvertCSVToSQL;
     
    interface
     
    uses System.Classes, System.SysUtils, System.Types,
      Generics.Collections,
      SLT.ETL.Import_CSV;
     
    type
      { Forward class declarations }
      TSLTToolConvertCSVToSQL = class;
      TSLTToolConvertCSVToSQLColumns = class;
      TSLTToolConvertCSVToSQLColumn = class;
     
      { Aliases class declarations }
      ISLTToolConvertCSVToSQLFormatSpecification = ISLTETLImportCSVFormatSpecification;
      TSLTToolConvertCSVToSQLHeaderSpecification = TSLTETLImportCSVHeaderSpecification;
      TSLTToolConvertCSVToSQLHeaderState = TSLTETLImportCSVHeader.THeaderState;
     
      /// <summary>listes des options disponibles gérées par convetisseur SQL d'une source CSV</summary>
      TSLTToolConvertCSVToSQLOperation = (ctsoNone, ctsoAnalysis, ctsoConvertToInsert);
     
      /// <summary>Erreur de base liée à la conversion SQL d'une source CSV</summary>
      ESLTToolConvertCSVToSQLError = class(Exception);
     
      /// <summary>Evènement qui se produit pour chaque ligne du CSV générant du SQL</summary>
      TSLTToolConvertCSVToSQLProcessEvent = procedure(Sender: TObject; const ACSVLine: TStringDynArray; const AProcessContent: string; AIsAggregated: Boolean; AIsSuccessfulProcess: Boolean) of object;
     
      /// <summary>Génère une série de SQL en fonction du contenu d'une source CSV</summary>
      TSLTToolConvertCSVToSQL = class(TSLTETLImportCSV)
      private
        // Membres privés
        FOperation: TSLTToolConvertCSVToSQLOperation;
        FColumns: TSLTToolConvertCSVToSQLColumns;
        FGroupedColumns : record
          General: TSLTToolConvertCSVToSQLColumns;
          Aggregated: TSLTToolConvertCSVToSQLColumns;
        end;
        FTableName: string;
        FTableNameAggregated: string;
        FInsertFmt: string;
        FInsertFmtAggregated: string;
        FCanProcess: Boolean;
        FCanProcessAggregated: Boolean;
        FOnProcess: TSLTToolConvertCSVToSQLProcessEvent;
     
        // Méthodes Internes
        procedure LoadExpectedColumns(ASourceReader: ISLTETLImportCSVSourceReader);
        function PreProcessCSVLine(): Boolean;
        procedure GroupColums();
        procedure ProcessCSVLineData(const ACSVLine: TStringDynArray);
        procedure ProcessCSVLineAggregated(const ACSVLine: TStringDynArray);
        procedure PostProcessCSVLine();
        procedure DoProcess(const ACSVLine: TStringDynArray; const AProcessContent: string; AIsAggregated: Boolean; AIsSuccessfulProcess: Boolean);
     
        // Accesseurs
        function GetColumns: TSLTToolConvertCSVToSQLColumns;
        function GetFormatSpecification: ISLTToolConvertCSVToSQLFormatSpecification;
        function GetHeaderSpecification: TSLTToolConvertCSVToSQLHeaderSpecification;
     
      protected
        // Méthodes Abstraites redéfinies
        /// <summary>Fournit le format du fichier CSV attendu</summary>
        procedure InitializeCSVFormat(ASourceReader: ISLTETLImportCSVSourceReader); override;
        /// <summary>Converti les données issu du fichier CSV en instructions SQL</summary>
        procedure ProcessCSVLine(const ACSVLine: TStringDynArray); override;
     
      public
        // Constructeurs
        constructor Create();
        destructor Destroy(); override;
     
        // Méthodes - Redéfinition de TSLTETLImportCSV
        function Import(): Boolean; override;
     
        // Méthodes
        function Analysis(): Boolean;
        function ConvertToInsert(): Boolean;
     
        // Propriétés
        /// <summary>Spécifications de format de la source CSV comme par exemple : le séparateur attendu par défaut est Point-Virgule ';'</summary>
        property FormatSpecification: ISLTToolConvertCSVToSQLFormatSpecification read GetFormatSpecification;
        /// <summary>Spécifications de l'entete de la source CSV</summary>
        property HeaderSpecification: TSLTToolConvertCSVToSQLHeaderSpecification read GetHeaderSpecification;
         /// <summary>Description des Colonnes de la source CSV</summary>
        property Columns: TSLTToolConvertCSVToSQLColumns read GetColumns;
        /// <summary>Table SQL utilisé pour générer le SQL </summary>
        property TableName: string read FTableName write fTableName;
        /// <summary>Table SQL utilisée pour générer le SQL à partir des données dédoublonnées</summary>
        property TableNameAggregated: string read FTableNameAggregated write FTableNameAggregated;
        /// <summary>Evènement qui se produit pour chaque ligne du CSV générant du SQL</summary>
        property OnProcess: TSLTToolConvertCSVToSQLProcessEvent read FOnProcess write FOnProcess;
      end;
     
      /// <summary>Description des Colonnes d'une source CSV</summary>
      TSLTToolConvertCSVToSQLColumns = class(TObject)
      private
        // Types internes
        type
          TColumnList = Generics.Collections.TObjectList<TSLTToolConvertCSVToSQLColumn>;
          TColumnCache = record
            CacheColumn: TSLTToolConvertCSVToSQLColumn;
            CacheIndex: Integer;
            CachePosition: Integer;
          end;
      private
        // Membres privés
        FColumnList: TColumnList;
        FColumnCache: TColumnCache;
     
        // Accesseurs
        function GetCount: Integer;
        function GetItem(Index: Integer): TSLTToolConvertCSVToSQLColumn;
        function GetOwnsItems: Boolean;
        procedure SetOwnsItems(const Value: Boolean);
     
        // Méthodes privées
        function AddColumn(AColumn: TSLTToolConvertCSVToSQLColumn): Integer;
        function GetPositionedCount: Integer;
        function GetPositionedItem(AColumnPosition: Integer): TSLTToolConvertCSVToSQLColumn;
        procedure ClearCache();
     
      public
        // Constructeurs
        constructor Create(AOwnsItems: Boolean = True);
        destructor Destroy(); override;
     
        // Méthodes
        function Add(): TSLTToolConvertCSVToSQLColumn;
        procedure Clear();
     
        // Propriétés
        /// <summary>Nombre de Colonnes dans la source CSV</summary>
        property Count: Integer read GetCount;
        /// <summary>Description des Colonnes dans la source CSV</summary>
        property Items[Index: Integer]: TSLTToolConvertCSVToSQLColumn read GetItem; default;
        /// <summary>Indique si les Items seront libérés avec la liste</summary>
        property OwnsItems: Boolean read GetOwnsItems write SetOwnsItems;
        /// <summary>Nombre de colonnes ayant une position définie dans la source CSV</summary>
        property PositionedCount: Integer read GetPositionedCount;
        /// <summary>Description des Colonnes via leur position définie dans la source CSV</summary>
        property PositionedItems[AColumnPosition: Integer]: TSLTToolConvertCSVToSQLColumn read GetPositionedItem;
      end;
     
      /// <summary>Description d'une Colonne CSV et informations de conversion vers SQL</summary>
      TSLTToolConvertCSVToSQLColumn = class(TObject)
      private
        // Membres privés
        FColumnPosition: Integer;
        FColumnName: string;
        FFixedValue: string;
        FSQLFieldName: string;
        FSQLFieldType: TVarType;
        FConvert: Boolean;
        FConvertAggregated: Boolean;
        FAggregatedValues: TStringList;
        FSizeMax: Integer;
        FSizeMin: Integer;
     
        // Accesseurs
        procedure SetFixedValue(const Value: string);
        procedure SetConvertAggregated(const Value: Boolean);
        procedure SetColumnPosition(const Value: Integer);
      public
        // Constructeurs
        constructor Create();
        destructor Destroy(); override;
     
        // Propriétés
        /// <summary>Position de la Colonne CSV</summary>
        property ColumnPosition: Integer read FColumnPosition write SetColumnPosition;
        /// <summary>Nom de la Colonne CSV</summary>
        property ColumnName: string read FColumnName write FColumnName;
        /// <summary>Valeur utilisée au lieu d'une donnée issue de source CSV</summary>
        property FixedValue: string read FFixedValue write SetFixedValue;
        /// <summary>Nom de la Colonne SQL</summary>
        property SQLFieldName: string read FSQLFieldName write FSQLFieldName;
        /// <summary>Type de la Colonne SQL</summary>
        property SQLFieldType: TVarType read FSQLFieldType write FSQLFieldType;
        /// <summary>Indique si cela sera converti en SQL</summary>
        property Convert: Boolean read FConvert write FConvert;
        /// <summary>Indique si cela sera converti en SQL pour les données dédoublonnées</summary>
        property ConvertAggregated: Boolean read FConvertAggregated write SetConvertAggregated;
        /// <summary>Données dédoublonnées</summary>
        property AggregatedValues: TStringList read FAggregatedValues;
        /// <summary>Taille minimale de la donnée autorisée lors de la génération du SQL</summary>
        property SizeMin: Integer read FSizeMin write FSizeMin;
        /// <summary>Taille maximale de la donnée autorisée lors de la génération du SQL</summary>
        property SizeMax: Integer read FSizeMax write FSizeMax;
      end;
     
    implementation
     
    uses System.Math;
     
    const
      ERR_FIND_NEGATIVE_COLUMN_POSITION_NOT_ALLOWED = 'Une position négative n''identifie pas une colonne unique car cela indique une colonne virtuelle';
      ERR_NOT_FOUND_COLUMN_POSITION_NOT_ALLOWED = 'Impossible de trouver la colonne à la position %d';
      ERR_MISSING_COLUMN_POSITION_OR_FIXED_VALUE = 'La position d''une colonne est obligatoire ou veuillir définir une valeur fixe définissant une colonne virtuelle';
      ERR_MISSING_COLUMN_SQL_FIELD_NAME = 'le champ SQL de destination est obligatoire pour une colonne prise en compte pour la conversion générale et\ou la conversion des données agrégées';
      // Invalid size %d for aggregated column "%s" must between %d and %d
      ERR_INVALID_SIZE_IN_AGGREGATED_COLUMN_FMT = 'Taille incorrecte (%d) pour la colonne "%s" gérant des données agrégées dont la longueur devrait être comprise entre %d et %d';
      // Fixed Value can''t be an Empty String
      ERR_EMPTY_COLUMN_FIXED_VALUE_NOT_ALLOWED = 'une valeur fixe définissant une colonne virtuelle ne peut pas être vide';
     
    const
      // TODO -oSPT -cArchi : Créer une classe SQLGenerator pouvant générer du SQL-92 standard ainsi que les subtilités Oracle, MySQL ...
      SQL_INSERT_FMT = 'INSERT INTO %s (%s) VALUES(%%s);';
     
    { TSLTToolConvertCSVToSQL }
     
    //------------------------------------------------------------------------------
    function TSLTToolConvertCSVToSQL.Analysis(): Boolean;
    begin
      FOperation := ctsoAnalysis;
      Result := Import();
    end;
     
    //------------------------------------------------------------------------------
    function TSLTToolConvertCSVToSQL.ConvertToInsert(): Boolean;
    begin
      FOperation := ctsoConvertToInsert;
      Result := Import();
    end;
     
    //------------------------------------------------------------------------------
    constructor TSLTToolConvertCSVToSQL.Create;
    begin
      inherited Create();
     
      FColumns := TSLTToolConvertCSVToSQLColumns.Create();
    end;
     
    //------------------------------------------------------------------------------
    destructor TSLTToolConvertCSVToSQL.Destroy();
    begin
      FreeAndNil(FGroupedColumns.Aggregated);
      FreeAndNil(FGroupedColumns.General);
      FreeAndNil(FColumns);
     
      inherited Destroy();
    end;
     
    //------------------------------------------------------------------------------
    procedure TSLTToolConvertCSVToSQL.DoProcess(const ACSVLine: TStringDynArray; const AProcessContent: string; AIsAggregated: Boolean; AIsSuccessfulProcess: Boolean);
    begin
      if Assigned(FOnProcess) then
        FOnProcess(Self, ACSVLine, AProcessContent, AIsAggregated, AIsSuccessfulProcess);
    end;
     
    //------------------------------------------------------------------------------
    function TSLTToolConvertCSVToSQL.GetColumns: TSLTToolConvertCSVToSQLColumns;
    begin
      Result := FColumns;
    end;
     
    //------------------------------------------------------------------------------
    function TSLTToolConvertCSVToSQL.GetFormatSpecification: ISLTToolConvertCSVToSQLFormatSpecification;
    begin
      Result := CSVSourceReader.Data.FormatSpecification;
    end;
     
    //------------------------------------------------------------------------------
    function TSLTToolConvertCSVToSQL.GetHeaderSpecification: TSLTToolConvertCSVToSQLHeaderSpecification;
    begin
      Result := CSVSourceReader.ExpectedHeader;
    end;
     
    //------------------------------------------------------------------------------
    procedure TSLTToolConvertCSVToSQL.GroupColums();
     
      //--------------------------------------------------------------------------
      procedure GroupColumsAll();
      var
        I: Integer;
        Col: TSLTToolConvertCSVToSQLColumn;
      begin
        // Isole les colonnes dont les données seront dédoublonnées pour la génération d'un SQL agrégé
        FreeAndNil(FGroupedColumns.Aggregated);
        FreeAndNil(FGroupedColumns.General);
     
        for I := 0 to Columns.Count - 1 do
        begin
          Col := Columns[I];
     
          if Col.Convert then
          begin
            if not Assigned(FGroupedColumns.General) then
              FGroupedColumns.General := TSLTToolConvertCSVToSQLColumns.Create(False);
     
            FGroupedColumns.General.AddColumn(Col);
          end;
     
          if Col.ConvertAggregated then
          begin
            if not Assigned(FGroupedColumns.Aggregated) then
              FGroupedColumns.Aggregated := TSLTToolConvertCSVToSQLColumns.Create(False);
     
            FGroupedColumns.Aggregated.AddColumn(Col);
          end;
        end;
      end;
     
    begin
      GroupColumsAll();
    end;
     
    //------------------------------------------------------------------------------
    function TSLTToolConvertCSVToSQL.Import(): Boolean;
    begin
      Result := False;
     
      if (FOperation <> ctsoNone) and Assigned(FOnProcess) then
      begin
        // L'import CSV se déroule en 3 phases : Pre - Import - Post
        // la Phase de Pré-Process fournit un contexte pour l'import
        // la Phase d'import fournit les données
        // la Phase de Post-Process permet de faire un synthèse des données importées
        if PreProcessCSVLine() then
        begin
          Result := inherited Import();
          if Result then
            PostProcessCSVLine();
        end;
        FOperation := ctsoNone;
      end;
    end;
     
    //------------------------------------------------------------------------------
    procedure TSLTToolConvertCSVToSQL.InitializeCSVFormat(ASourceReader: ISLTETLImportCSVSourceReader);
    begin
      if FOperation = ctsoConvertToInsert then
        LoadExpectedColumns(ASourceReader);
    end;
     
    //------------------------------------------------------------------------------
    procedure TSLTToolConvertCSVToSQL.LoadExpectedColumns(ASourceReader: ISLTETLImportCSVSourceReader);
    var
      I: Integer;
    begin
      // Seule les colonnes ayant une position sont présentes dans la source CSV
      // Les donnnées fixées en dur n'y sont pas que l'on considére comme des colonnes virtuelles
      // et seront gérées presque comme les autres colonnes pour reste du processus de conversion en SQL
      ASourceReader.ExpectedColumns.Clear();
      for I := 0 to Columns.PositionedCount - 1 do
        with Columns.PositionedItems[I] do
          ASourceReader.ExpectedColumns.AddColumn(ColumnName, SQLFieldType);
    end;
     
    //------------------------------------------------------------------------------
    procedure TSLTToolConvertCSVToSQL.PostProcessCSVLine();
     
      //--------------------------------------------------------------------------
      procedure PostConvertToInsertAggregated();
      var
        I, J: Integer;
        ValuesClause: TStringList;
        InvalidCount: Integer;
        S: string;
        ProcessContent: string;
      begin
        if not Assigned(FGroupedColumns.Aggregated) then
          Exit;
     
        ValuesClause := TStringList.Create();
        try
          InvalidCount := 0;
          for I := 0 to FGroupedColumns.Aggregated.Count - 1 do
          begin
            with FGroupedColumns.Aggregated.Items[I] do
            begin
              // Si il y a plusieurs valeurs agrégées pour une colonne, il est impossible de générer un SQL agrégée
              if AggregatedValues.Count > 1 then
              begin
                Inc(InvalidCount);
                ValuesClause.Add(ColumnName);
              end;
     
              for j := 0 to AggregatedValues.Count - 1 do
              begin
                S := AggregatedValues[J];
     
                if (SQLFieldType = varUString) or (SQLFieldType = varString) or (SQLFieldType = varOleStr) or (SQLFieldType = varDate) then
                  S := AnsiQuotedStr(S, '''');
     
                ValuesClause.Add(S);
              end;
            end;
          end;
     
          if InvalidCount = 0 then
          begin
            ValuesClause.Delimiter := ',';
            ValuesClause.StrictDelimiter := True;
            ValuesClause.QuoteChar := ' ';
            ProcessContent := Format(FInsertFmtAggregated, [ValuesClause.DelimitedText]);
          end
          else
            ProcessContent := ValuesClause.Text;
     
          DoProcess(nil, ProcessContent, True, InvalidCount = 0);
        finally
          ValuesClause.Free();
        end;
      end;
     
    begin
      if FCanProcessAggregated then
      begin
        if FOperation = ctsoConvertToInsert then
          PostConvertToInsertAggregated();
      end;
    end;
     
    //------------------------------------------------------------------------------
    function TSLTToolConvertCSVToSQL.PreProcessCSVLine(): Boolean;
     
      //--------------------------------------------------------------------------
      function PreConvertToInsertAll(): Boolean;
      var
        Fields: TStringList;
        FieldsAgg: TStringList;
        I: Integer;
      begin
        Result := True;
        FInsertFmt := '';
        FInsertFmtAggregated := '';
        FCanProcess := False;
        FCanProcessAggregated := False;
     
        Fields := TStringList.Create();
        try
          FieldsAgg := TStringList.Create();
          try
            for I := 0 to Columns.Count - 1 do
            begin
              with Columns[I] do
              begin
                if Assigned(AggregatedValues) then
                  AggregatedValues.Clear();
     
                if Convert or ConvertAggregated then
                begin
                  if (ColumnPosition < 0) and (FixedValue = '') then
                    raise ESLTToolConvertCSVToSQLError.Create(ERR_MISSING_COLUMN_POSITION_OR_FIXED_VALUE);
     
                  if SQLFieldName <> '' then
                  begin
                    if Convert then
                      Fields.Add(SQLFieldName);
                    if ConvertAggregated then
                      FieldsAgg.Add(SQLFieldName);
                  end
                  else
                    raise ESLTToolConvertCSVToSQLError.Create(ERR_MISSING_COLUMN_SQL_FIELD_NAME);
                end;
              end;
            end;
     
            FCanProcess := Fields.Count > 0;
            if FCanProcess then
              FInsertFmt := Format(SQL_INSERT_FMT, [TableName, Fields.CommaText]);
     
            FCanProcessAggregated := FieldsAgg.Count > 0;
            if FCanProcessAggregated then
              FInsertFmtAggregated := Format(SQL_INSERT_FMT, [TableNameAggregated, FieldsAgg.CommaText]);
     
            Result := FCanProcess or FCanProcessAggregated;
     
            // Une conversion utilisera les colonnes générales et les colonnes avec données dédoublonnées pour générer le SQL
            if Result then
              GroupColums();
          finally
            FieldsAgg.Free();
          end;
        finally
          Fields.Free();
        end;
      end;
     
      //--------------------------------------------------------------------------
      function PreAnalysis(): Boolean;
      begin
        Result := True;
        FCanProcess := False;
        FCanProcessAggregated := True;
     
        // Une analyse n'utilise pas les colonnes mais tentera de fournir une structure du fichier CSV
        Columns.Clear();
        // La Structure n'est pas connue lors d'une Analyse, on tente justement de la déterminer !
        HeaderSpecification.State := csvhsNone;
        HeaderSpecification.LineCount := 0;
      end;
     
    begin
      Result := True;
      if FOperation = ctsoConvertToInsert then
        Result := PreConvertToInsertAll()
      else if FOperation = ctsoAnalysis then
        Result := PreAnalysis();
    end;
     
    //------------------------------------------------------------------------------
    procedure TSLTToolConvertCSVToSQL.ProcessCSVLine(const ACSVLine: TStringDynArray);
    begin
      ProcessCSVLineData(ACSVLine);
      ProcessCSVLineAggregated(ACSVLine);
    end;
     
    //------------------------------------------------------------------------------
    procedure TSLTToolConvertCSVToSQL.ProcessCSVLineAggregated(const ACSVLine: TStringDynArray);
     
      //--------------------------------------------------------------------------
      procedure ConvertToInsertAggregated();
      var
        I: Integer;
        Errors: TStringList;
        S: string;
      begin
        if not Assigned(FGroupedColumns.Aggregated) then
          Exit;
     
        Errors := TStringList.Create();
        try
          for I := 0 to FGroupedColumns.Aggregated.Count - 1 do
          begin
            with FGroupedColumns.Aggregated.Items[I] do
            begin
              if ColumnPosition >= 0 then
              begin
                if (High(ACSVLine) >= ColumnPosition) then
                begin
                  S := ACSVLine[ColumnPosition];
                  AggregatedValues.Add(S);
     
                  if not (Length(S) in [SizeMin..SizeMax]) then
                  begin
                    Errors.Add(Format(ERR_INVALID_SIZE_IN_AGGREGATED_COLUMN_FMT, [Length(S), ColumnName, SizeMin, SizeMax]));
                    AggregatedValues.Add(Copy(S, 1, SizeMax));
                  end;
                end;
              end
              else
                AggregatedValues.Add(FixedValue);
            end;
          end;
     
          if Errors.Count > 0 then
            DoProcess(ACSVLine, Errors.Text, True, False);
        finally
          Errors.Free();
        end;
      end;
     
      //--------------------------------------------------------------------------
      procedure AnalysisRawAsAggregated();
      var
        I: Integer;
        S: String;
        L: Integer;
        Col: TSLTToolConvertCSVToSQLColumn;
      begin
        // Vérification des colonnes déjà trouvées, la première fois que l'on trouve une colonne non vide, sa donnée est utilisé comme nom de colonne
        for I := Low(ACSVLine) to High(ACSVLine) do
        begin
          S := ACSVLine[I];
          L := Length(S);
          if I < Columns.Count then
          begin
            Col := Columns[I];
            Col.SizeMax := System.Math.Max(Col.SizeMax, L);
            Col.SizeMin := System.Math.Min(Col.SizeMin, L);
          end
          else
          begin
            Col := Columns.Add();
            Col.ColumnPosition := I;
            Col.SizeMax := L;
            Col.SizeMin := L;
            Col.ConvertAggregated := True; // utilisées comme "recensement" des valeurs
          end;
     
          // En mode Analysis, l'ensemble des données seront agrégées formant une sorte de "recensement" des valeurs existantes dans la source CSV
          Col.AggregatedValues.Add(S);
          if Col.ColumnName = '' then
            Col.ColumnName := S;
        end;
      end;
     
    begin
      if FCanProcessAggregated then
      begin
        if FOperation = ctsoConvertToInsert then
          ConvertToInsertAggregated()
        else if FOperation = ctsoAnalysis then
          AnalysisRawAsAggregated();
      end;
    end;
     
    //------------------------------------------------------------------------------
    procedure TSLTToolConvertCSVToSQL.ProcessCSVLineData(const ACSVLine: TStringDynArray);
     
      //--------------------------------------------------------------------------
      procedure ConvertToInsertGeneral();
      var
        I: Integer;
        ValuesClause: TStringList;
        InvalidCount: Integer;
        S: string;
        InsertText: string;
      begin
        if not Assigned(FGroupedColumns.General) then
          Exit;
     
        ValuesClause := TStringList.Create();
        try
          InvalidCount := 0;
          for I := 0 to FGroupedColumns.General.Count - 1 do
          begin
            with FGroupedColumns.General.Items[I] do
            begin
              if ColumnPosition >= 0 then
              begin
                if (High(ACSVLine) >= ColumnPosition) then
                begin
                  S := ACSVLine[ColumnPosition];
                  if not (Length(S) in [SizeMin..SizeMax]) then
                    Inc(InvalidCount);
     
                  if (SQLFieldType = varUString) or (SQLFieldType = varString) or (SQLFieldType = varOleStr) or (SQLFieldType = varDate) then
                    S := AnsiQuotedStr(S, '''');
     
                  ValuesClause.Add(S);
                end;
              end
              else
                ValuesClause.Add(FixedValue);
            end;
          end;
     
          ValuesClause.Delimiter := ',';
          ValuesClause.StrictDelimiter := True;
          ValuesClause.QuoteChar := ' ';
          InsertText := Format(FInsertFmt, [ValuesClause.DelimitedText]);
          DoProcess(ACSVLine, InsertText, False, (ValuesClause.Count > 0) and (InvalidCount = 0));
        finally
          ValuesClause.Free();
        end;
      end;
     
     
    begin
      if FCanProcess then
      begin
        if FOperation = ctsoConvertToInsert then
          ConvertToInsertGeneral();
      end;
    end;
     
    { TSLTToolConvertCSVToSQLColumns }
     
    //------------------------------------------------------------------------------
    function TSLTToolConvertCSVToSQLColumns.Add(): TSLTToolConvertCSVToSQLColumn;
    begin
      Result := TSLTToolConvertCSVToSQLColumn.Create();
      AddColumn(Result);
    end;
     
    //------------------------------------------------------------------------------
    function TSLTToolConvertCSVToSQLColumns.AddColumn(AColumn: TSLTToolConvertCSVToSQLColumn): Integer;
    begin
      ClearCache();
      Result := FColumnList.Add(AColumn);
    end;
     
    //------------------------------------------------------------------------------
    procedure TSLTToolConvertCSVToSQLColumns.Clear();
    begin
      ClearCache();
      FColumnList.Clear();
    end;
     
    //------------------------------------------------------------------------------
    procedure TSLTToolConvertCSVToSQLColumns.ClearCache();
    begin
      FColumnCache.CacheColumn := nil;
    end;
     
    //------------------------------------------------------------------------------
    constructor TSLTToolConvertCSVToSQLColumns.Create(AOwnsItems: Boolean = True);
    begin
      inherited Create();
     
      FColumnList := TColumnList.Create();
      FColumnList.OwnsObjects := AOwnsItems;
    end;
     
    //------------------------------------------------------------------------------
    destructor TSLTToolConvertCSVToSQLColumns.Destroy();
    begin
      ClearCache();
      FreeAndNil(FColumnList);
     
      inherited Destroy();
    end;
     
    //------------------------------------------------------------------------------
    function TSLTToolConvertCSVToSQLColumns.GetCount(): Integer;
    begin
      Result := FColumnList.Count;
    end;
     
    //------------------------------------------------------------------------------
    function TSLTToolConvertCSVToSQLColumns.GetPositionedCount: Integer;
    var
      I: Integer;
    begin
      Result := 0;
      for I := 0 to Count - 1 do
        if Items[I].ColumnPosition >= 0 then
          Inc(Result);
    end;
     
    //------------------------------------------------------------------------------
    function TSLTToolConvertCSVToSQLColumns.GetPositionedItem(AColumnPosition: Integer): TSLTToolConvertCSVToSQLColumn;
    var
      I: Integer;
    begin
      if AColumnPosition < 0 then
        raise ESLTToolConvertCSVToSQLError.Create(ERR_FIND_NEGATIVE_COLUMN_POSITION_NOT_ALLOWED);
     
      // Est-ce que le cache contient déjà cette colonne ?
      if Assigned(FColumnCache.CacheColumn) and (FColumnCache.CachePosition = AColumnPosition) then
      begin
        Result := FColumnCache.CacheColumn;
        Exit; // On demande la même colonne, on fourni le contenu du cache
      end;
     
      // Recherche de la colonne
      for I := 0 to Count - 1 do
      begin
        Result := Items[I];
        if Result.ColumnPosition = AColumnPosition then
        begin
          FColumnCache.CacheColumn := Result;
          FColumnCache.CacheIndex := I;
          FColumnCache.CachePosition := AColumnPosition;
          Exit;
        end;
      end;
     
      raise ESLTToolConvertCSVToSQLError.Create(ERR_FIND_NEGATIVE_COLUMN_POSITION_NOT_ALLOWED);
    end;
     
    //------------------------------------------------------------------------------
    function TSLTToolConvertCSVToSQLColumns.GetItem(Index: Integer): TSLTToolConvertCSVToSQLColumn;
    begin
      Result := FColumnList.Items[Index];
    end;
     
    //------------------------------------------------------------------------------
    function TSLTToolConvertCSVToSQLColumns.GetOwnsItems(): Boolean;
    begin
      Result := FColumnList.OwnsObjects;
    end;
     
    //------------------------------------------------------------------------------
    procedure TSLTToolConvertCSVToSQLColumns.SetOwnsItems(const Value: Boolean);
    begin
      FColumnList.OwnsObjects := Value;
    end;
     
    { TSLTToolConvertCSVToSQLColumn }
     
    //------------------------------------------------------------------------------
    constructor TSLTToolConvertCSVToSQLColumn.Create();
    begin
      inherited Create();
     
      FSQLFieldType := varUString;
      FSizeMin := 0; // Vide autorisé
      FSizeMax := MaxInt; // Pas de limite par défaut (presque)
    end;
     
    //------------------------------------------------------------------------------
    destructor TSLTToolConvertCSVToSQLColumn.Destroy;
    begin
      FreeAndNil(FAggregatedValues);
     
      inherited Destroy();
    end;
     
    //------------------------------------------------------------------------------
    procedure TSLTToolConvertCSVToSQLColumn.SetColumnPosition(const Value: Integer);
    begin
      FFixedValue := '';
      FColumnPosition := Value;
    end;
     
    //------------------------------------------------------------------------------
    procedure TSLTToolConvertCSVToSQLColumn.SetConvertAggregated(const Value: Boolean);
    begin
      FConvertAggregated := Value;
      if FConvertAggregated and not Assigned(FAggregatedValues) then
      begin
        // TODO -oSPT -cOptimisation : Dédoublonnage via une TStringList Sorted ? via THashedStringList ? via autre chose genre un Array[0.255] of TStringList, 0..255 serait la taille de la chaine, 0 étant utilise pour les chaignes de plus de 255 chare
     
        // En utilisant THashedStringList au lieu de TStringList, vous pouvez améliorer les performances quand la liste contient un grand nombre de chaînes.
        FAggregatedValues := TStringList.Create();
        FAggregatedValues.Sorted := True;
      end;
    end;
     
    //------------------------------------------------------------------------------
    procedure TSLTToolConvertCSVToSQLColumn.SetFixedValue(const Value: string);
    begin
      if Value = '' then
        raise ESLTToolConvertCSVToSQLError.Create(ERR_EMPTY_COLUMN_FIXED_VALUE_NOT_ALLOWED);
     
      FColumnPosition := -1;
      FFixedValue := Value;
    end;
     
    end.
    Aide via F1 - FAQ - Guide du développeur Delphi devant un problème - Pensez-y !
    Attention Troll Méchant !
    "Quand un homme a faim, mieux vaut lui apprendre à pêcher que de lui donner un poisson" Confucius
    Mieux vaut se taire et paraître idiot, Que l'ouvrir et de le confirmer !
    L'ignorance n'excuse pas la médiocrité !

    L'expérience, c'est le nom que chacun donne à ses erreurs. (Oscar Wilde)
    Il faut avoir le courage de se tromper et d'apprendre de ses erreurs

+ Répondre à la discussion
Cette discussion est résolue.

Discussions similaires

  1. Import d'un CSV vers MySql
    Par alias666 dans le forum C#
    Réponses: 8
    Dernier message: 22/01/2008, 11h13
  2. Réponses: 2
    Dernier message: 06/11/2006, 10h55
  3. Importation de type CSV vers Oracle8i
    Par gamma dans le forum Oracle
    Réponses: 27
    Dernier message: 18/10/2006, 17h44
  4. [Conseil] Import de fichier CSV vers MySQL
    Par ShinJava dans le forum JDBC
    Réponses: 6
    Dernier message: 15/03/2005, 20h14
  5. Importation de fichier CSV vers une base Interbase
    Par PrinceMaster77 dans le forum ASP
    Réponses: 3
    Dernier message: 15/03/2005, 16h18

Partager

Partager
  • Envoyer la discussion sur Viadeo
  • Envoyer la discussion sur Twitter
  • Envoyer la discussion sur Google
  • Envoyer la discussion sur Facebook
  • Envoyer la discussion sur Digg
  • Envoyer la discussion sur Delicious
  • Envoyer la discussion sur MySpace
  • Envoyer la discussion sur Yahoo