zoukankan      html  css  js  c++  java
  • Reading Text-based Files In ASP.NET

    Friday, July 17, 2015 1:43 PM

    Every time I need to work with the contents of text-based files in an ASP.NET application I invariably start off thinking about using the various static methods on the System.IO.File class to extract the text and then some string manipulation or Regex to parse the content into some kind of structure. And, just in time, I remember the TextFieldParser class that hides itself away in the Microsoft.VisualBasic assembly. The purpose of this article is to introduce this component to a wider audience, but also to serve me as an aide-mémoire in terms of the basic usage, which I always have to look up.

    The Microsoft.VisualBasic library is a collection of namespaces containing a miscellany of components and utilities. Most of them seem to provide VB6 developers with something that they will be familiar with such as .NET implementations of the string-related Left and Right methods, but despite its name (and the fact that MSDN examples are all VB-only), the library is pure .NET code and can be used with any .NET compliant language. C# projects do not include a reference to Microsoft.VisualBasic by default, so you need to use the Add References dialog to add it yourself:

    TextFieldParser

    TextFieldParser instance can be initialised from a number of sources: a stream, a physical file on disk, or aTextReader. The first two options are likely to be used more often in ASP.NET applications. This first example illustrates creating a TextFieldParser from an uploaded file in an MVC application:

    [HttpPost]
    public ActionResult Index(HttpPostedFileBase file)
    {
        if (file != null)
        {
            if (file.ContentLength > 0)
            {
                using (var parser = new TextFieldParser(file.InputStream))
                {
                    // ...
                }
            }
        }
        return View();
    }

    The TextFieldParser is instantiated within a using block because it implements IDisposable, and the usingblock ensures that the object will be displosed of safely and correctly. The next example sees a file path passed to the TextFieldParser constructor:

    var file = @"C:	est.csv";
    using (var parser = new TextFieldParser(file))
    {
        //..
    }

    Finally, here's an example of the constructor that accepts a concrete implementation of the TextReader:

    var csv = @"1,Mike,Brind,www.mikesdotnetting.com";
    using (var parser = new TextFieldParser(new StringReader(csv)))
    {
        // ...
    }

    Configuration

    Configuration options are set through properties and methods. The key options are featured below:

    OptionDescriptionDefault
    Delimiters (property) Specifies the field delimiters used in the text file. null
    SetDelimiters (method) Alterntative way to specify the field delimiters used in the file  
    TextFieldType (property) Specify whether the file is Delimited orFixedWidth TextFieldType.Delimited
    HasFieldsEnclosedInQuotes(property) Boolean indicating whether text fields are enclosed in quotes true
    FieldWidths (property) An array of ints specifying the widths of individual fields in a fixed width file null
    SetFieldWidths (method) An alternative way to specify the widths of individual fields in a fixed width file  
    CommentTokens (property) An array specifying the tokens used to indicate comments in the file null
    TrimWhiteSpace (property) Boolean indicating whether leading and trailing white space should be removed from fields true

    Having instantiated and configured a TextFieldParser, you will want to start accessing the data in the text file. The parser has a ReadFields method that gobbles up content a line at a time. It returns an array of strings. It also has an EndOfData property which indicates whether there are any more lines of data to be read. The following code shows how to use this property and method in combination to read each line of data in a simple example:

    var data = @"1,Potato,Vegetable
    2,Strawberry,Fruit
    3,Carrot,Vegetable
    4,Milk,Dairy,
    5,Apple,Fruit
    6,Bread,Cereal";
    
    using (var parser = new TextFieldParser(new StringReader(data)))
    {
        parser.Delimiters = new[] { "," };
        while (!parser.EndOfData)
        {
            var row = parser.ReadFields();
            var foodType = row[2];
        }
    }

    The sample above doesn't have a header. The following sample features the same data with a header row, and illustrates how to copy the whole thing into a DataTable:

    var data = @"Id,Food,FoodType
    1,Potato,Vegetable
    2,Strawberry,Fruit
    3,Carrot,Vegetable
    4,Milk,Dairy,
    5,Apple,Fruit
    6,Bread,Cereal";
    
    using (var parser = new TextFieldParser(new StringReader(data)))
    {
        var headerRow = true;
        var dt = new DataTable();
    
        parser.Delimiters = new[] { "," };
        
        while (!parser.EndOfData)
        {
            var currentRow = parser.ReadFields();
            if (headerRow)
            {
                foreach (var field in currentRow)
                {
                    dt.Columns.Add(field, typeof(object));
                }
                headerRow = false;
            }
            else
            {
                dt.Rows.Add(currentRow);
            }
        }
    }

    The final example shows how to apply the CommentTokens property to be able to read a standard IIS log file into aDataTable where comment lines are prefixed with a hash (#) symbol:

    TextFieldParser Standard Log File

    var file = @"C:LogsW3SVC6ex140210.log";
    var commentTokens = new[] { "#" };
    var headerRow = File.ReadAllLines(file).First(l => l.StartsWith("#Fields:"));
    using (var parser = new TextFieldParser(file))
    {
        var dt = new DataTable();
        var columns = headerRow.Replace("#Fields: ", string.Empty).Split(new[] { ' ' }, StringSplitOptions.RemoveEmptyEntries);
        foreach (var column in columns)
        {
            dt.Columns.Add(column, typeof(object));
        }
        parser.SetDelimiters(" ");
        parser.CommentTokens = commentTokens;
        while (!parser.EndOfData)
        {
            {
                dt.Rows.Add(parser.ReadFields());
            }
        }
    }

    In this case, because the parser is configured to ignore lines beginning with the specified comment token, a bit of additional code is used to extract the field headers for the DataTable column names.

    Summary

    Next time you need to parse a text file in a .NET application, rather than reaching for string manipulation functions, you could consider using the TextFieldParser in the Microsoft.VisualBasic library.

    原文链接:http://www.mikesdotnetting.com/article/279/reading-text-based-files-in-asp-net

  • 相关阅读:
    【Python】表白代码
    有关加密技术的概述,黑客是如何破解加密数据?
    Kali Linux的发展史,专为数字取证和渗透测试而设计
    在Wi-Fi路由器中发现了新的安全漏洞
    太可怕!看看黑客是怎样利用社会工程学窃取你的密码?
    不可不知!未来警惕被黑客植入微芯片
    什么是计算机漏洞,为什么会有漏洞呢?
    揭秘人工智能将如何影响今天的工作
    Linux为程序员添加了行为准则
    不可不知!4种常见的黑客攻击手段
  • 原文地址:https://www.cnblogs.com/imust2008/p/4813545.html
Copyright © 2011-2022 走看看