Commas in my CSV file data

Hi everyone,
I am trying to create a csv file.
One field that I am trying to out put is the description and has commas, that is throwing my columns out of sync.
I have tries putting the charactor ' around the data but all it does is output that charactor in the data.
my code is this
     public File createFile(Vector downloadObject){
          Iterator iterator = downloadObject.iterator();
          String query ="";
          try {
               Format formatter2 = new SimpleDateFormat("ddMMyyyy");
               String fileName="DELIVERY" + ".csv";
               File file = new File(fileName);
               StringBuffer output = new StringBuffer();
               while (iterator.hasNext()){
                    VODownloadObject downloadObject2 = (VODownloadObject)iterator.next();
                    query =
                         "'" +
                         downloadObject2.getStrokeNumber().trim()
                         + "','"+ downloadObject2.getJdeIdNumber()
                         + "','"+ downloadObject2.getRollNumber()
                         + "','"+ downloadObject2.getSupplier()
                         + "',"+ ",'"+ downloadObject2.getQuality()
                         + "','"+ downloadObject2.getColour()
                         + "','"+ downloadObject2.getSupplierRollNumber()
                         + "',"+ ",'"+ downloadObject2.getDeliveryDate()
                         + "','"+ downloadObject2.getFabricComposition()
                         + "',"+ ","+ ",'"+ downloadObject2.getTicketLength()
                         + "','"+ downloadObject2.getTicketWidth()
                         + "',"+ ","+ ","+ ",";
                    output.append(query + "\r\n");
               BufferedWriter out = new BufferedWriter(new FileWriter(fileName));
               out.write(output.toString());
               out.close();
               return file;
          } catch (IOException e) {
               e.printStackTrace();
               return null;
     }the output is this.
'PA?????T','2/664659 ','153920','Menswear Formal, Shirts ',,'null','null',' ',,'11/07/2006','null',,,'-330000',' ',
in the "'Menswear Formal, Shirts " field, this is one field but it is splitting up into 2 fields because there is a comma after Formal. Anyone know how I can keep this as one field but with a comma in it?
thanks in advance

I have abandoned my last appoach altogether
I am using com.Ostermiller.util.CSVPrinter
here is my final working class
     public File createFile(Vector downloadObject){
          Iterator iterator = downloadObject.iterator();
          String query ="";
          try {
               Format formatter2 = new SimpleDateFormat("ddMMyyyy");
               String fileName="DELIVERY" + ".csv";
               File file = new File(fileName);
               BufferedWriter out = new BufferedWriter(new FileWriter(fileName));
               ExcelCSVPrinter ecsvp = new ExcelCSVPrinter(
                         out
               while (iterator.hasNext()){
                    VODownloadObject downloadObject2 = (VODownloadObject)iterator.next();
                    String quality = " ";
                    if (downloadObject2.getQuality()!=null){
                         quality = downloadObject2.getQuality().trim();
                    String colour = " ";
                    if (downloadObject2.getColour()!=null){
                         colour = downloadObject2.getColour().trim();
                    String fabricComposition = " ";
                    if (downloadObject2.getFabricComposition()!=null){
                         fabricComposition =downloadObject2.getFabricComposition().trim();
                    ecsvp.writeln(new String [] {
                               downloadObject2.getStrokeNumber().trim(),downloadObject2.getJdeIdNumber().trim(),
                               downloadObject2.getRollNumber(), downloadObject2.getSupplier().trim(), " " ,
                               quality , colour , downloadObject2.getSupplierRollNumber().trim() , " ",
                               downloadObject2.getDeliveryDate().trim(), fabricComposition , " ", " ",
                               downloadObject2.getTicketLength(), downloadObject2.getTicketWidth().trim(),
               out.close();
               return file;
          } catch (IOException e) {
               e.printStackTrace();
               return null;
     }

Similar Messages

  • CSV file data load

    Hi All,
    I have a CSV file having data in cell. I have to load the csv file data in supporting table.
    In code, I will pass parameters as - csv file name, path and supporting table name that required inserting the file data. (This is just a sample code; I required handling many things)
    My Sample CSV file data: (Data are comma separated) ,In file in third,have null value ,Plese help to handle null values in below code while inserting.
    1,AB,1/1/2013
    2,CD,1/1/2012
    3,<null>,1/1/2013Sample Code:
    DECLARE
        v_csvfile       VARCHAR2(30) := 'temp.csv';--<<This is the csv file name>>
        v_csvpath       VARCHAR2(30) := --<<This is the path>>
        v_csvtab        VARCHAR2(30) := 'TEMP';
        v_csvdata       VARCHAR2(32767);
        v_csveof        BOOLEAN := FALSE;
        v_csvfilehandle utl_file.file_type;
        v_str           VARCHAR2(32767);
    BEGIN
        v_csvfilehandle := utl_file.fopen(v_csvpath, v_csvfile, 'r', 32767);
        WHILE NOT v_csveof
        LOOP
            BEGIN
                utl_file.get_line(v_csvfilehandle, v_csvdata);
                FOR i IN (SELECT s.data_type, s.internal_column_id
                            FROM user_tab_cols s
                           WHERE s.table_name = UPPER(v_csvtab)
                           ORDER BY internal_column_id)
                LOOP
                    IF i.data_type = 'DATE'
                    THEN
                        v_str := v_str || 'TO_DATE (' || ' REGEXP_SUBSTR( ' || '''' ||
                                 v_csvdata ||
                                 '''' || ' ,' || '''' || '[^,]+' || '''' ||
                                 ' ,1,' || i.internal_column_id || ' ),' || '''' ||
                                 'MM/DD/YYYY' || '''' || ' )';
                    ELSE
                        v_str := v_str || ' REGEXP_SUBSTR( ' || '''' ||
                                 v_csvdata ||
                                 '''' || ' ,' || '''' || '[^,]+' || '''' ||
                                 ' ,1,' || i.internal_column_id || ' ),';
                    END IF;
                END LOOP;
                        --DBMS_OUTPUT.put_line('INSERT INTO  ' || v_csvtab || ' VALUES ( ' || v_str || ' )');
                EXECUTE IMMEDIATE 'INSERT INTO  ' || v_csvtab || ' VALUES ( ' || v_str || ' )';
                                  v_str := NULL;
            EXCEPTION
                WHEN no_data_found THEN
                    v_csveof := TRUE;
            END;
        END LOOP;
        utl_file.fclose(v_csvfilehandle);
    EXCEPTION
        WHEN OTHERS THEN
            dbms_output.put_line(dbms_utility.format_error_backtrace ||
                                 ' Err ' || SQLERRM);
            RAISE;
    END;Script to create sample supporting table:
    CREATE TABLE TEMP
    (col1 VARCHAR2(100),
    col2 VARCHAR2(100),
    col3 DATE );Thanks,

    Don't re-invent the wheel.
    If your CSV is on the database server (it must be if you are using UTL_FILE), use an external table
    http://docs.oracle.com/cd/E11882_01/server.112/e22490/et_concepts.htm#SUTIL011
    If your CSV is on a client PC, use Sql*Loader
    http://docs.oracle.com/cd/E11882_01/server.112/e22490/ldr_concepts.htm#SUTIL003

  • Exporting Metadata (caption information) from JPEGS to a comma separated value (CSV) file

    Here is my dilemma. I am an archivist at an arts organization and we are in the process of digitizing many of our materials to post them on the web and make them available to internet users. One of the principle components of our collection is a large trove of photographs. We have been in the process of digitizing these images and embedding metadata (in the Caption/Description, Author/Photographer and Copyright fields) via PhotoShops File Info command.
    Now I am at a crossroads. We need to extract this metadata and transfer it into a comma separated value form, like an Excel spreadsheet or a FileMakerPro database. I have been told that it is not possible to do this through PhotoShop, that I must run a script through Acrobat or Bridge. I have no clue how to do this. I have been directed to a couple of links.
    First I was directed to this (now dead) link: http://www.barredrocksoftware.com/products.html
    The BSExportMetadata script allegedly exports the metadata from files selected in Adobe's Bridge into a comma separated value (CSV) file suitable for import into Excel, Access and most database programs. It installs as a Bridge menu item making it simple to use. The the Export Metadata script provides you with an easy to use wizard allowing you to select associated information about a set of images that you can then export. This script requires Creative Suite 2 (CS2). This script sounds like it does exactly what I want to do, but unfortunately, it no longer exists.
    Then I found this:
    Arnold Dubin, "Script to Export and Import Keywords and Metadata" #13, 8 Aug 2005 7:23 am
    I tried this procedure, but nothing seemed to happen. I also tried to copy the script into the JAVASCRIPT action option in Acrobat, but I received a message that the script had an error. It also seems to me that this script does not set up a dumping point, that is, a file into which this information will be exported to.
    I am a novice, not a code writer or a programmer/developer. I need a step-by-step explanation of how to implement this filtering of information. We have about 2000 jpeg and tiff files, so I would rather not go through each file and copy and paste this information elsewhere. I need to find out how to create a batch process that will do this procedure for me. Can anyone help?

    Hello -
    Is anyone aware of a tool that will do the above that is available for mac? Everything I've found so far seems to be PC only.
    Any help is appreciated, thanks!

  • Related to CSV file data upload

    Hi all,
    I am new to the oracle technology.
    While uploading the data from csv file i got this error
    "SQL*Loader-350: Syntax error at line 4.
    Expecting keyword TABLE, found "xxgfs_gen_text_lookups".
    APPEND INTO xxgfs_gen_text_lookups"
    my csv file data is
    Invoice Match Options,,,Invoice,,
    Invoice Match Options,,,Receipt,,
    Invoice Match Options,,,Purchase Order,,X
    Invoice Type,A 00,Advance,Standard,Standard invoice,
    Invoice Type,B 00,Expense,Standard,Standard invoice,
    Invoice Type,2 00,Debit Memo,Credit Memo,Credit Memo,
    Invoice Type,2 20,EDI Debit Memo,Credit Memo,Credit Memo,
    Invoice Type,1 00,Invoice,Standard,Standard invoice,
    Invoice Type,1 01,Arrow Credit,Standard,Standard invoice,,
    Invoice Type,1 10,Recurring Payments,Standard,Standard invoice,,
    Invoice Type,1 20,EDI Invoices,Standard,Standard invoice,,
    Invoice Type,1 21,Imaged Invoice,Standard,Standard invoice,X,Default when entering from form
    Invoice Tax Code,XMT,DO NOT USE,,,,
    Invoice Tax Code,STE,DO NOT USE,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code
    If i am removing the blank row then also it is giving the same problem.
    If anybody face the same problem then please help me out.
    thanks in advance to u all for ur help.
    -Rajnish

    This is the Oracle Application Express (formerly known as HTML DB) forum. SQL*Loader related questions should be asked in the Database SQL forum (PL/SQL or Database General Forum (General Database Discussions but being a nice guy familiar with SQL*Loader I will "give it a go".
    The error message you are getting indicates that you have a syntax error in your control file. The syntax for the APPEND keyword is APPEND INTO TABLE table_name. So change "APPEND INTO xxgfs_gen_text_lookups" to "APPEND INTO TABLE xxgfs_gen_text_lookups".
    Mike

  • Load .csv file data with OWb Process flow using Web

    Hi,
    I Have a file in my local machine( Machines on multiple user's), need to load data through Web user interface.
    Let's say have a web page with multiple radio buttons respective to different sources, by clicking on each button will pass the path of .csv file to through Application, (API or Java programming interface) execute owb Process flow as a accepting file path as a input parameter to execute for loading purpose.
    Should facilitate view data, Update data through web based on user requests.
    Need your guidence how can i implement this with OWb 11g R2.
    Assuming with Web browser functionality. Please confirm it and if yes, please throw some light how could be the steps to implement.
    Thanks

    Hi David,
    Thanks for your reply.
    Undersatnd your proposed solution.But my requirement should be as follows.
    1. Currently under consideration using web page likely to be implement with Java, allowing users to load .csv file data into staging area.(Loading flat file into Data abse table)
    Case 1, Assuming OWB software is not installed on user machine. I think no.
    Is it possible through web page (this case Java page) to trigger java procedure/Pl/SQl procedure or integration of both to laod data into staging area.If yes, how it could effect performance of data load with 1 GB file.
    Case 2, OWb client software installed on User machine, while runtime passing parameters means passing manually?
    In case it is automated, how should i pass machine name & Path to owb runtime web browser.
    Could you please show me guidence how should I acheive this functionality with APEX customization part?
    Thanks agin for your support.
    Anil

  • CSV file data upload problem

    Hi all,
    I am new to the oracle technology.
    While uploading the data from csv file i got this error
    "SQL*Loader-350: Syntax error at line 4.
    Expecting keyword TABLE, found "xxgfs_gen_text_lookups".
    APPEND INTO xxgfs_gen_text_lookups"
    my csv file data is
    Invoice Match Options,,,Invoice,,
    Invoice Match Options,,,Receipt,,
    Invoice Match Options,,,Purchase Order,,X
    Invoice Type,A 00,Advance,Standard,Standard invoice,
    Invoice Type,B 00,Expense,Standard,Standard invoice,
    Invoice Type,2 00,Debit Memo,Credit Memo,Credit Memo,
    Invoice Type,2 20,EDI Debit Memo,Credit Memo,Credit Memo,
    Invoice Type,1 00,Invoice,Standard,Standard invoice,
    Invoice Type,1 01,Arrow Credit,Standard,Standard invoice,,
    Invoice Type,1 10,Recurring Payments,Standard,Standard invoice,,
    Invoice Type,1 20,EDI Invoices,Standard,Standard invoice,,
    Invoice Type,1 21,Imaged Invoice,Standard,Standard invoice,X,Default when entering from form
    Invoice Tax Code,XMT,DO NOT USE,,,,
    Invoice Tax Code,STE,DO NOT USE,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code,,,,,,
    Invoice Tax Code
    If i am removing the blank row then also it is giving the same problem.
    If anybody face the same problem then please help me out.
    thanks in advance to u all for ur help.
    -Rajnish

    Running SQL*Loader as:
      sqlload userid=... control=... data=... log=...
    HOSTSTR logical has been set to same value as your connection string but
    without domain name.
    When you have specified connect string (ie. SCOTT/TIGER@DATABASE) but no
    domain you receive these errors:
      SQL*Loader-704: Internal error: ulconnect: OCIServerAttach [0]
      ORA-12154: TNS:could not resolve service name
    When you have not specified connect string (ie. SCOTT/TIGER) you receive
    these errors:
      SQL*Loader-704: Internal error: ulconnect: OCIServerAttach [0]
      ORA-12162: TNS:service name is incorrectly specified
    Your sqlnet.ora has:
      names.default_domain entry = world
    The syntax in your tnsnames.ora entry is correct.
    Your entry in tnsnames.ora does not include the .WORLD extension (default
    domain from sqlnet.ora).
    Solution Description
    Specify the .WORLD in your tnsnames.ora and also in your connect string.
    This will remove the error.
    Also, ensure you are not hitting Bug 893290.  Can you connect to the database from that server using sqlplus?

  • HT2486 The selected file does not appear to be a valid comma separated values (csv) file or a valid tab delimited file. Choose a different file.

    The selected file does not appear to be a valid comma separated values (csv) file or a valid tab delimited file. Choose a different file.

    I guess your question is, "what's wrong with the file?"
    You're going to have to figure that out yourself, as we cannot see the file.
    Importing into Address book requires either a tab-delimited or a comma-delimited file. You can export out of most spreadsheets into a csv file. However, you need to make sure you clean up the file first.  If you have a field that has commas in the field, they will create new fields at the comma. So, some lines will have more fields than the others, causing issues like the error you saw.

  • Upload csv file data to sql server tables

    Hi all,
    I want clients to upload csv file from their machines to the server.
    Then the program should read all the data from the csv file and do a bulk insert into the SQL Server tables.
    Please help me of how to go about doing this.
    Thanx in advance.....

    1) Use a multipart form with input type="file" to let the client choose a file.
    2) Get the binary stream and put it in a BufferedReader.
    3) Read each line and map it to a DTO and add each DTO to a list.
    4) Persist the list of DTO's.
    Helpful links:
    1) http://www.google.com/search?q=jsp+upload+file
    2) http://www.google.com/search?q=java+io+tutorial
    3) http://www.google.com/search?q=java+bufferedreader+readline
    4) http://www.google.com/search?q=jdbc+tutorial and http://www.google.com/search?q=sql+tutorial

  • Commit issued , but physical file date modified still

    Hi,
    i have update a record and commit
    i am still see all the files in my db with the same modified date like before the update
    if i shutdown the db , everything get updated
    how is that , i ithink Redo logs should be written immediately after commit , otherwise an electricity outage will make this committed transaction lost
    thanks

    Hi Anand,
    but when i commit ,
    no file have been change , even the redo log date modified is still the same. so where oracle writes the data....
    or it writes in redo log file and for some reason , redolog file date modified don't change??!!!!!

  • Manipulate CSV File Data

    Hello,
    Our Active Directory structure only lists the person's manager in the format of an email address. After running a Get-ADUser command and exporting its data to a csv file. I want to import the csv file which will be in the format shown below, then manipulate
    it, so the manager1 field is converted to the relevant objectGUID and populated in the Manager_objectGUID field.
    I'm completely new to PowerShell so any assistance would be much appreciated.
    Thanks
    Stuart

    $OldCSV = "C:\OldADUsers.csv"
    $NewCSV = "C:\NewADUsers.csv"
    Add-Content $OldCSV "objectGUID,mail,givenName,sn,manager1,Manager_objectGUID"
    Add-Content $OldCSV "7c1be78f,[email protected],Mickey,Mouse,,"
    Add-Content $OldCSV "982874ab,[email protected],Donald,Duck,[email protected],"
    $ADUsers = Import-CSV $OldCSV
    # collect managers
    $Managers = @{}
    ForEach ($ADUser in $ADUsers)
    $Managers.Add($ADUser.Mail,$ADUser.ObjectGUID)
    # Get Managers
    ForEach ($ADUser in $ADUsers)
    IF ($ADUser.manager1 -NE "")
    If ($Managers[$ADUser.manager1] -NE $Null)
    $ADUser.Manager_objectGUID = $Managers[$ADUser.manager1]
    $ADUsers | Export-CSV $NewCSV
    Get-Content $NewCSV
    Gives this output
    #TYPE System.Management.Automation.PSCustomObject
    "objectGUID","mail","givenName","sn","manager1","Manager_objectGUID"
    "7c1be78f","[email protected]","Mickey","Mouse","",""
    "982874ab","[email protected]","Donald","Duck","[email protected]","7c1be78f"

  • CSV  file data load error

    Hi,
    Data load from Flat File.
    The master data is loaded using CSV file.
    Emp ID;  in source file it is replesented as 1,2,3..10...1009
    But when i load the data it is being converted to 0000000001,0000000002....etc
    The info object Data Type is Char and Length is 10 and Conversion Routine is none
    I want it to be loaded as 1,2,3... as it is as it is in source file
    Thanks

    Hi,
    Right click on that cell -> Format cells - > Number (tab) -> select Text and click OK.
    Hope this helps.
    PB

  • How to handle comma while importing CSV file in APEX 3.2

    I am trying to import excel sheet data into a table. I have followed steps mentioned in below link and they work just fine with one exception.
    http://avdeo.com/2008/05/21/uploading-excel-sheet-using-oracle-application-express-apex/
    Exception is related to presense of comma (,) in any particular filed like- Address.
    How can I handle this situation? I am using APEX 3.2
    Thanks,
    Abhi

    Wrong forum.
    You should be here.
    Oracle Application Express (APEX)

  • Comma and quote problem in csv file

    Hi
    My requirement is to append data in an csv file. This is Proxy to File FCC Scenario. for some of the fields from proxy which contains comma(,) and also double-quote("). for these fileds the in the csv file it is spiting in to two columns and appending in to the next column. and the double-quote symbol is not inserting in the csv file.
    1. why the double-quote(") is not inserting in to the csv file columns?
    2. how to over come the comma problem? I want that particular file need to append in one column only.
    Thanks
    Vankadoath

    hi vankadoath,
    Were you able to solve comma issue in CSV file.
    Even i am facing similar issue.....
    wheneever there is a comma in field, it is updating data after comma into next field.
    If anybody has solution for the same.......
    pls suggest the same............
    santosh.
    Edited by: santosh koraddi on Jan 20, 2011 9:44 PM

  • Comparing SQL Data Results with CSV file contents

    I have the following scenario that I need to resolve and I'm unsure of how to approach it. Let me explain what I am needing and what I have currently done.
    I've created an application that automatically marks assessments that delegates complete by comparing SQL Data to CSV file data. I'm using C# to build the objects required that will load the data from SQL into a dataset which is then compared to the
    associated CSV file that contains the required results to mark against.
    Currently everything is working as expected but I've noticed that if there is a difference in the number of rows returned into the SQL-based dataset, then my application doesn't mark the items at all.
    Here is an example:
    ScenarioCSV contains 4 rows with 8 columns of information, however, let's say that the delegate was only able to insert 2 rows of data into the dataset. When this happens it marks everything wrong because row 1 in both CSV and dataset files were correct,
    however, row 2 in the dataset holds the results found in row 4 in the CSV file and because of this it is comparing it against row 2 in the CSV file.
    How can I check whether a row, regardless of its order, can be marked as it does exist but not in the same order, so I don't want the delegate to lose marks just because the row data in the dataset is not perfectly in the same order of the row data
    in the CSV file???
    I'm at a loss and any assistance will be of huge help to me. I have implemented a ORDER BY clause in the dataset and ensured that the same order is set in the CSV file. This has helped me for scenarios where there are the right number of rows in the dataset,
    but as soon as there is 1 row that is missing in the dataset, then the marking just doesn't allow for any marks for both rows even if the data is correct.
    I hope I've made sense!! If not, let me know and I will provide a better description and perhaps examples of the dataset data and the csv data that is being compared.
    Thanks in advance....

    I would read the CSV into a datatable using oledb. Below is code I wrote a few weeks ago to do this.
    Then you can compare two datatables by a common primary key (like ID number)
    Below is the webpage to compare two datatables
    http://stackoverflow.com/questions/10984453/compare-two-datatables-for-differences-in-c
    You can find lots of examples by perform following google search
    "c# linq compare two dattatable"
    //Creates a CSVReader Class
    public class CSVReader
    public DataSet ReadCSVFile(string fullPath, bool headerRow)
    string path = fullPath.Substring(0, fullPath.LastIndexOf("\\") + 1);
    string filename = fullPath.Substring(fullPath.LastIndexOf("\\") + 1);
    DataSet ds = new DataSet();
    try
    if (File.Exists(fullPath))
    string ConStr = string.Format("Provider=Microsoft.Jet.OLEDB.4.0;Data Source={0}" + ";Extended Properties=\"Text;HDR={1};FMT=Delimited\\\"", path, headerRow ? "Yes" : "No");
    string SQL = string.Format("SELECT * FROM {0}", filename);
    OleDbDataAdapter adapter = new OleDbDataAdapter(SQL, ConStr);
    adapter.Fill(ds, "TextFile");
    ds.Tables[0].TableName = "Table1";
    foreach (DataColumn col in ds.Tables["Table1"].Columns)
    col.ColumnName = col.ColumnName.Replace(" ", "_");
    catch (Exception ex)
    MessageBox.Show(ex.Message);
    return ds;
    jdweng

  • Data-Driven test : Compilation should be avoided while running tests in batch when .csv file inputs changed to use them in script

    Hi,
    I am running Data-Driven  test on different machines with different  input values in .CSV file in batch mode.we are facing following problem:
     Test not considering modified values in  .CSV file until we recompile the test.
    Is there any way to avoid this dependency of compilation after updating .CSV file???
    Regards,
    Nagasree.

    Assuming the CSV is part of the Visual Studio solution. Open the properties panel for the CSV file from solution explorer. Set "Copy to output directory" to "Copy if newer" or to "Copy always". Some documents recommend
    "Copy if newer" but I prefer "Copy always" as occasionally a file was not copied as I expected. The difference between the two copy methods is a little disk space and a little time, but disks are normally big and the time to copy is normally
    small. Any savings are, in my opinion, far outweighed by being sure that the file will be copied correctly.
    See also
    http://stackoverflow.com/questions/23469100/how-to-run-a-test-many-times-with-data-read-from-csv-file-data-driving/25742114#25742114
    Regards
    Adrian

Maybe you are looking for

  • T410s Fan Error on Boot but works sometime...really confused

    Hi, I bought the t410s back in 2010 april or march. About 7-8 month later, I started getting Fan Error on boot after the thinkpad screen. If I don't do anything, the computer shuts off automatically, but if I hit escape, it would continue boot and st

  • Linked Materials in MM

    Hi all We have a business scenario where we currently purchase and sell a product as one item (let us say that it is a notebook in a box), but we have just been advised by HMRC that both the notebook and box need to have separate commodity codes as t

  • A question about remainders (%)

    Hello I am trying to figure out how this is the answer. Can someone explain? //a few numbers int i = 37; int j = 42; double x = 27.475; double y = 7.22; System.out.println(" x % y = " + (x % y)); Answer: x % y = 5.815 Thanks Rob

  • Error When Create Invoice related to Project

    Dear Friends, Good Day, I have been faced issue when i create Invoice related to project the following are the steps with the error : 1. Entered the header. 2.Entered the lines ( Line type, Amount, Distribute Account, and Fields that related to Proje

  • Overwrite database fields

    Hello, can I overwrite database fields in Crystal Reports Designer? I have reports, which are based on a business view. In this view I have many kpi columns with Euro values. This view also have columns which have stored the local currency. Until now