我知道这个主题有更多主题,但实际上没有一个帮我。
我将提供完整的代码:
namespace ConsoleApplication1
{
public static class Load
{
public static double[][] FromFile(string path)
{
var rows = new List<double[]>();
foreach (var line in File.ReadAllLines(path))
{
// HERE IS THE ERROR
rows.Add(line.Split(new[] { ' ' }).Select(double.Parse).ToArray());
}
return rows.ToArray();
}
}
public class Program
{
static void Main( string [ ] args )
{
string cestain = @"E:\vstup.txt";
double[][] innput = Load.FromFile(cestain);
string cestaout = @"E:\vystup.txt";
double[][] ooutput = Load.FromFile(cestaout);
// c r e a t e a neural network
var network = new BasicNetwork ( ) ;
network . AddLayer (new BasicLayer ( null , true , 2) ) ;
network . AddLayer (new BasicLayer (new ActivationSigmoid ( ) , true , 3) ) ;
network . AddLayer (new BasicLayer (new ActivationSigmoid ( ) , false , 1) ) ;
network . Structure . FinalizeStructure ( ) ;
network . Reset( );
// c r e a t e t r a i n i n g data
IMLDataSet trainingSet = new BasicMLDataSet (innput , ooutput ) ;
// t r a i n the neural network
IMLTrain train = new ResilientPropagation (network , trainingSet) ;
int epoch = 1 ;
do
{
train.Iteration( ) ;
Console.WriteLine(@"Epoch #" + epoch + @" Error : " + train.Error );
epoch++;
} while ( train.Error> 0.01 ) ;
Console.ReadLine();
}
}
}
以下是我要加载到double[][]
输入的内容:
166 163 180 228
165 162 160 226
166 163 180 228
166 164 180 228
171 162 111 225
以下是我要加载到double[][]
输出的内容:
1 0 0
1 0 0
0 1 0
0 1 0
1 0 0
答案 0 :(得分:1)
问题:在文本文件中的每一行之后都有Extra EmptyLines。
当Split()函数遇到一个新的Line时,它会返回,因为没有什么可以拆分,Add()
函数抛出异常,因为空行不是有效的Double
。
解决方案1:您可以使用StringSplitOptions.RemoveEmptyEntries
作为Split()
函数的第二个参数来忽略EmptyLines。
foreach (var line in File.ReadAllLines(path))
{
// HERE IS THE ERROR
rows.Add(line.Split(new[] { ' ' },StringSplitOptions.RemoveEmptyEntries).Select(double.Parse).ToArray());
}
解决方案2:您可以使用String.IsNullOrWhiteSpace()
foreach (var line in File.ReadAllLines(path))
{
if(!String.IsNullOrWhiteSpace(line))
{
// HERE IS THE ERROR
rows.Add(line.Split(new[] { ' ' },StringSplitOptions.RemoveEmptyEntries).Select(double.Parse).ToArray());
}
}
答案 1 :(得分:1)
不久前我遇到过类似的问题。使用StringSplitOptions.RemoveEmptyEntries
为我解决了这个问题。所以变成了lines.Split(new char[] { ' ' }, StringSplitOptions.RemoveEmptyEntries)
它有帮助,因为你得到空行,所以RemoveEmptyEntries
从Split方法的结果中删除这些行。