Фрагмент кода должен был просто записать строку в текстовый файл с именем "all_results.txt". У меня были ошибки реализации в File.WriteAllText. После поиска решений в сети я попытался использовать FileStream и StreamWriter в качестве заменителей. Проблема все еще сохраняется.
Это дало мне:
IOException Unhandled: процесс не может получить доступ к файлу 'C: \ Users \ MadDebater \ Desktop \ ConsoleTest1 \ ConsoleTest \ bin \ Debug \ all_results.txt', поскольку он используется другим процессом.
Странно, ошибки происходят произвольно. Это может быть во время 3-го цикла или 45-го цикла, прежде чем произойдет ошибка. Я предоставил полный код для этого класса на случай, если проблема будет глубже, чем кажется. Я уверен, что это не имеет ничего общего с моим антивирусом или чем-то подобным.
try
{
using (FileStream stream = new FileStream(@"all_results.txt", FileMode.Create)) // Exception here
{
using (StreamWriter writer = new StreamWriter(stream))
{
writer.WriteLine(result);
writer.Dispose();
writer.Close();
}
stream.Dispose();
stream.Close();
}
}
catch (IOException ex)
{
Console.WriteLine(ex);
}
Даже когда я пытаюсь это сделать, это все равно не получается.
try
{
File.WriteAllText(@"all_results.txt", result); // Exception here
}
catch (IOException ex)
{
Console.WriteLine(ex.Message);
}
Ниже приведен полный код класса. Он предназначен для того, чтобы взять список твитов в Твиттере и классифицировать их, используя байесовскую классификацию по одному.
using System;
using System.IO;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using BayesClassifier;
using System.Text.RegularExpressions;
namespace ConsoleTest
{
class Analyzer
{
public static void Analyzing(List<string> all_results)
{
Reducting(all_results);
Classifying();
}
public static void Reducting(List<string> all_results)
{
//Reductor
//Precondition: List<string> results
all_results.ForEach(delegate(String text)
{
const string ScreenNamePattern = @"@([A-Za-z0-9\-_&;]+)";
const string HashTagPattern = @"#([A-Za-z0-9\-_&;]+)";
const string HyperLinkPattern = @"(http://\S+)\s?";
string result = text;
if (result.Contains("http://"))
{
var links = new List<string>();
foreach (Match match in Regex.Matches(result, HyperLinkPattern))
{
var url = match.Groups[1].Value;
if (!links.Contains(url))
{
links.Add(url);
result = result.Replace(url, String.Format(""));
}
}
}
if (result.Contains("@"))
{
var names = new List<string>();
foreach (Match match in Regex.Matches(result, ScreenNamePattern))
{
var screenName = match.Groups[1].Value;
if (!names.Contains(screenName))
{
names.Add(screenName);
result = result.Replace("@" + screenName,
String.Format(""));
}
}
}
if (result.Contains("#"))
{
var names = new List<string>();
foreach (Match match in Regex.Matches(result, HashTagPattern))
{
var hashTag = match.Groups[1].Value;
if (!names.Contains(hashTag))
{
names.Add(hashTag);
result = result.Replace("#" + hashTag,
String.Format(""));
}
}
}
// Write into text file
/*
try
{
using (FileStream stream = new FileStream(@"all_results.txt", FileMode.Create)) // Exception here
{
using (StreamWriter writer = new StreamWriter(stream))
{
writer.WriteLine(result);
writer.Dispose();
writer.Close();
}
stream.Dispose();
stream.Close();
}
}
catch (IOException ex)
{
Console.WriteLine(ex);
}
*/
try
{
File.WriteAllText(@"all_results.txt", result); // Exception here
}
catch (IOException ex)
{
Console.WriteLine(ex.Message);
}
});
}
public static void Classifying()
{
// Classifying
BayesClassifier.Classifier m_Classifier = new BayesClassifier.Classifier();
m_Classifier.TeachCategory("Positive", new System.IO.StreamReader("POSfile.txt"));
m_Classifier.TeachCategory("Negative", new System.IO.StreamReader("NEGfile.txt"));
Dictionary<string, double> newscore;
newscore = m_Classifier.Classify(new System.IO.StreamReader("all_results.txt"));
PrintResults(newscore);
}
public static void PrintResults(Dictionary<string, double> newscore)
{
foreach (KeyValuePair<string, double> p in newscore)
{
Console.WriteLine(p.Key + ", " + p.Value);
}
List<string> list = new List<string>();
using (StreamReader reader = new StreamReader("all_results.txt"))
{
string line;
while ((line = reader.ReadLine()) != null)
{
list.Add(line); // Add to list.
Console.WriteLine(line); // Write to console.
}
reader.Close();
}
//PrintSentiment(newscore);
}
public static void PrintSentiment(Dictionary<string, double> newscore)
{
// if difference < 2, neutral
// if neg < pos, pos
// if pos < neg, neg
double pos = newscore["Positive"];
double neg = newscore["Negative"];
string sentiment = "";
if (Math.Abs(pos - neg) < 1.03)
{
sentiment = "NEUTRAL";
}
else
{
if (neg < pos)
{
sentiment = "POSITIVE";
}
else if (pos < neg)
{
sentiment = "NEGATIVE";
}
}
Console.WriteLine(sentiment);
// append tweet_collection to final_results <string> list
// append sentiment tag to the final_results <string> list
// recursive
}
}
}