Reputation: 4749
EDIT:
As per the suggestion, I have started to implement the following:
private string Reading (string filePath)
{
byte[] buffer = new byte[100000];
FileStream strm = new FileStream(filePath, FileMode.Open, FileAccess.Read,
FileShare.Read, 1024, FileOptions.Asynchronous);
// Make the asynchronous call
IAsyncResult result = strm.BeginRead(buffer, 0, buffer.Length, new
AsyncCallback(CompleteRead), strm);
}
private void CompleteRead(IAsyncResult result)
{
FileStream strm = (FileStream)result.AsyncState;
strm.Close();
}
How do I go about actually returning the data that I've read?
Upvotes: 3
Views: 2255
Reputation: 4542
public static byte[] myarray;
static void Main(string[] args)
{
FileStream strm = new FileStream(@"some.txt", FileMode.Open, FileAccess.Read,
FileShare.Read, 1024, FileOptions.Asynchronous);
myarray = new byte[strm.Length];
IAsyncResult result = strm.BeginRead(myarray, 0, myarray.Length, new
AsyncCallback(CompleteRead),strm );
Console.ReadKey();
}
private static void CompleteRead(IAsyncResult result)
{
FileStream strm = (FileStream)result.AsyncState;
int size = strm.EndRead(result);
strm.Close();
//this is an example how to read data.
Console.WriteLine(BitConverter.ToString(myarray, 0, size));
}
It should not read "Random",it reads in the same order but just in case try this:
Console.WriteLine(Encoding.ASCII.GetString(myarray));
Upvotes: 2
Reputation: 5163
private static byte[] buffer = new byte[100000];
private string ReadFile(string filePath)
{
FileStream strm = new FileStream(filePath, FileMode.Open, FileAccess.Read,
FileShare.Read, 1024, FileOptions.Asynchronous);
// Make the asynchronous call
IAsyncResult result = strm.BeginRead(buffer, 0, buffer.Length, new
AsyncCallback(CompleteRead), strm);
//AsyncWaitHandle.WaitOne tells you when the operation is complete
result.AsyncWaitHandle.WaitOne();
//After completion, your know your data is in your buffer
Console.WriteLine(buffer);
//Close the handle
result.AsyncWaitHandle.Close();
}
private void CompleteRead(IAsyncResult result)
{
FileStream strm = (FileStream)result.AsyncState;
int size = strm.EndRead(result);
strm.Close();
}
Upvotes: 1