Я новичок в Visual Studio (C #). Я хочу сохранить текст, прочитанный из текстового файла, и отобразить его в элементе управления TextBlock, но только для указанной строки. Как я могу это сделать?
Я пытаюсь искать в Интернете, и большинство из них просто показывают, как читать и писать.
У меня есть один TextBlock (названный «FlashText») и две кнопки (одна для кнопки «Назад», другая для кнопки «Далее»). Что я хочу, так это, когда я нажимаю кнопку «Далее», тогда TextBlock показывает текст, прочитанный из txt-файла в указанной строке (например, в первой строке). И когда я снова нажимаю «Далее», тогда TextBlock должен показывать текст второй строки, прочитанный из файла.
Цель - сделать простую флешку. Код здесь:
`
private void btnRight_Click(object sender, RoutedEventArgs e) {
string filePath = @"D:\My Workspaces\Windows Phone 7 Solution\SimpleFlashCard\EnglishFlashCard.txt";
int counter = 0;
string line;
System.IO.StreamReader file = new System.IO.StreamReader(filePath);
while((line = file.ReadLine()) != null) {
Console.WriteLine(line);
counter++;
}
}
file.Close();
FlashText.Text = Console.ReadLine();
`
Пожалуйста, помогите. Спасибо большое.
UPDATE:
В последнее время основной код:
public partial class MainPage : PhoneApplicationPage
{
private FlashCard _flashCard;
// Constructor
public MainPage()
{
InitializeComponent();
// This could go under somewhere like a load new flash card button or
// menu option etc.
try
{
_flashCard = new FlashCard(@"D:\My Workspaces\Windows Phone 7 Solution\FCard\MyDocuments\EnglishFlashCard.txt");
}
catch (Exception ex)
{
MessageBox.Show(ex.Message);
}
}
private void btnLeft_Click(object sender, RoutedEventArgs e)
{
DisplayPrevious();
}
private void btnRight_Click(object sender, RoutedEventArgs e)
{
DisplayNext();
}
private void DisplayNext()
{
try
{
FlashText.Text = _flashCard.GetNextLine();
}
catch (Exception ex)
{
MessageBox.Show(ex.Message);
}
}
private void DisplayPrevious()
{
try
{
FlashText.Text = _flashCard.GetPreviousLine();
}
catch (Exception ex)
{
MessageBox.Show(ex.Message);
}
}
}
А это для класса ' FlashCard ':
public class FlashCard
{
private readonly string _file;
private readonly List<string> _lines;
private int _currentLine;
public FlashCard(string file)
{
_file = file;
_currentLine = -1;
// Ensure the list is initialized
_lines = new List<string>();
try
{
LoadCard();
}
catch (Exception ex)
{
MessageBox.Show(ex.Message); // This line got a message while running the solution
}
}
private void LoadCard()
{
if (!File.Exists(_file))
{
// Throw a file not found exception
}
using (var reader = File.OpenText(_file))
{
string line;
while ((line = reader.ReadLine()) != null)
{
_lines.Add(line);
}
}
}
public string GetPreviousLine()
{
// Make sure we're not at the first line already
if (_currentLine > 0)
{
_currentLine--;
}
return _lines[_currentLine]; //-- This line got an error
}
public string GetNextLine()
{
// Make sure we're not at the last line already
if (_currentLine < _lines.Count - 1)
{
_currentLine++;
}
return _lines[_currentLine]; //-- This line got an error
}
}
Я получил сообщение об ошибке при запуске решения: Не удалось получить доступ к методу: System.IO.File.Exists (System.String) .
Я пытался использовать точку останова, и пока он получает метод LoadCard (), он напрямую генерируется в исключение конструктора. Я перепроверил путь TXT, но это правда.
И я также получил сообщение об ошибке при нажатии кнопки «Далее» / «Предыдущий» на строке « return _lines [_currentLine]; »: Исключение ArgumentOutOfRangeException не обработано (Это происходит в методе GetPreviousLine () при нажатии кнопки «Назад» и метода GetNextLine () для «Далее».
Если вам нужна дополнительная информация, я рад предоставить ее. :)
ОБНОВЛЕНИЕ 2
Вот последний код:
public partial class MainPage : PhoneApplicationPage
{
private string path = @"D:\My Workspaces\Windows Phone 7 Solution\FCard\EnglishFlashCard.txt";
private List<string> _lines; //-- The error goes here
private int _currentLineIndex;
//private FlashCard _flashCard;
// Constructor
public MainPage()
{
InitializeComponent();
//_lines = System.IO.File.ReadLines(path).ToList();
if (File.Exists(path))
{
using (StreamReader sr = new StreamReader(path))
{
string line;
while ((line = sr.ReadLine()) != null)
_lines.Add(line);
}
}
CurrentLineIndex = 0;
}
private void btnLeft_Click(object sender, RoutedEventArgs e)
{
this.CurrentLineIndex--;
}
private void btnRight_Click(object sender, RoutedEventArgs e)
{
this.CurrentLineIndex++;
}
private void UpdateContentLabel()
{
this.FlashText.Text = _lines[CurrentLineIndex];
}
private int CurrentLineIndex
{
get { return _currentLineIndex; }
set
{
if (value < 0 || value >= _lines.Count) return;
_currentLineIndex = value;
UpdateContentLabel();
}
}
}
Я получил сообщение об ошибке в строке, отмеченной выше: Поле 'FCard.MainPage._lines' никогда не назначается и всегда будет иметь значение по умолчанию null .