ASP.Net MVC - Read File from HttpPostedFileBase without save
Asked Answered
D

4

68

I am uploading the file by using file upload option. And i am directly send this file from View to Controller in POST method like,

    [HttpPost]
    public ActionResult Page2(FormCollection objCollection)
    {
        HttpPostedFileBase file = Request.Files[0];
    }

Assume, i am uploading a notepad file. How do i read this file & append this text to string builder,, without save that file....

I'm aware about after SaveAs this file, we can read this file. But How do i read this file from HttpPostedFileBase without save?

Defence answered 16/4, 2013 at 6:17 Comment(0)
M
82

This can be done using httpPostedFileBase class returns the HttpInputStreamObject as per specified here

You should convert the stream into byte array and then you can read file content

Please refer following link

http://msdn.microsoft.com/en-us/library/system.web.httprequest.inputstream.aspx]

Hope this helps

UPDATE :

The stream that you get from your HTTP call is read-only sequential (non-seekable) and the FileStream is read/write seekable. You will need first to read the entire stream from the HTTP call into a byte array, then create the FileStream from that array.

Taken from here

// Read bytes from http input stream
BinaryReader b = new BinaryReader(file.InputStream);
byte[] binData = b.ReadBytes(file.ContentLength);

string result = System.Text.Encoding.UTF8.GetString(binData);
Malleus answered 16/4, 2013 at 6:37 Comment(4)
meta.stackexchange.com/questions/8231/…Repugnant
P.S. b.ReadBytes() wants an int but file.InputStream.Length is a longTrantham
but file.InputStream.ContentLength is an intTrantham
Tiny modification, ContentLength is on file.ContentLength, not file.InputStream.ContentLengthPickford
C
46

An alternative is to use StreamReader.

public void FunctionName(HttpPostedFileBase file)
{
    string result = new StreamReader(file.InputStream).ReadToEnd();
}
Cheese answered 4/9, 2013 at 10:54 Comment(3)
this will empty out the stream making file.Length = 0Westmorland
agreed, but in a lot of cases this is OK.Cheese
Althought +1, You aren't disposing of an IDisposable.Barquentine
V
9

A slight change to Thangamani Palanisamy answer, which allows the Binary reader to be disposed and corrects the input length issue in his comments.

string result = string.Empty;

using (BinaryReader b = new BinaryReader(file.InputStream))
{
  byte[] binData = b.ReadBytes(file.ContentLength);
  result = System.Text.Encoding.UTF8.GetString(binData);
}
Vesture answered 28/10, 2016 at 12:7 Comment(0)
F
0

byte[] data; using(Stream inputStream=file.InputStream) { MemoryStream memoryStream = inputStream as MemoryStream; if (memoryStream == null) { memoryStream = new MemoryStream(); inputStream.CopyTo(memoryStream); } data = memoryStream.ToArray(); }

Founder answered 2/10, 2020 at 19:57 Comment(0)

© 2022 - 2024 — McMap. All rights reserved.