You can not select more than 25 topics Topics must start with a chinese character,a letter or number, can include dashes ('-') and can be up to 35 characters long.

LogisticRegression.cs 6.3 kB

6 years ago
6 years ago
6 years ago
6 years ago
6 years ago
6 years ago
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159
  1. using NumSharp;
  2. using System;
  3. using System.Collections.Generic;
  4. using System.Diagnostics;
  5. using System.IO;
  6. using System.Linq;
  7. using System.Text;
  8. using Tensorflow;
  9. using TensorFlowNET.Examples.Utility;
  10. namespace TensorFlowNET.Examples
  11. {
  12. /// <summary>
  13. /// A logistic regression learning algorithm example using TensorFlow library.
  14. /// This example is using the MNIST database of handwritten digits
  15. /// https://github.com/aymericdamien/TensorFlow-Examples/blob/master/examples/2_BasicModels/logistic_regression.py
  16. /// </summary>
  17. public class LogisticRegression : Python, IExample
  18. {
  19. public int Priority => 4;
  20. public bool Enabled { get; set; } = true;
  21. public string Name => "Logistic Regression";
  22. public int training_epochs = 10;
  23. public int? train_size = null;
  24. public int validation_size = 5000;
  25. public int? test_size = null;
  26. public int batch_size = 100;
  27. private float learning_rate = 0.01f;
  28. private int display_step = 1;
  29. Datasets mnist;
  30. public bool Run()
  31. {
  32. PrepareData();
  33. // tf Graph Input
  34. var x = tf.placeholder(tf.float32, new TensorShape(-1, 784)); // mnist data image of shape 28*28=784
  35. var y = tf.placeholder(tf.float32, new TensorShape(-1, 10)); // 0-9 digits recognition => 10 classes
  36. // Set model weights
  37. var W = tf.Variable(tf.zeros(new Shape(784, 10)));
  38. var b = tf.Variable(tf.zeros(new Shape(10)));
  39. // Construct model
  40. var pred = tf.nn.softmax(tf.matmul(x, W) + b); // Softmax
  41. // Minimize error using cross entropy
  42. var cost = tf.reduce_mean(-tf.reduce_sum(y * tf.log(pred), reduction_indices: 1));
  43. // Gradient Descent
  44. var optimizer = tf.train.GradientDescentOptimizer(learning_rate).minimize(cost);
  45. // Initialize the variables (i.e. assign their default value)
  46. var init = tf.global_variables_initializer();
  47. var sw = new Stopwatch();
  48. return with(tf.Session(), sess =>
  49. {
  50. // Run the initializer
  51. sess.run(init);
  52. // Training cycle
  53. foreach (var epoch in range(training_epochs))
  54. {
  55. sw.Start();
  56. var avg_cost = 0.0f;
  57. var total_batch = mnist.train.num_examples / batch_size;
  58. // Loop over all batches
  59. foreach (var i in range(total_batch))
  60. {
  61. var (batch_xs, batch_ys) = mnist.train.next_batch(batch_size);
  62. // Run optimization op (backprop) and cost op (to get loss value)
  63. var result = sess.run(new object[] { optimizer, cost },
  64. new FeedItem(x, batch_xs),
  65. new FeedItem(y, batch_ys));
  66. float c = result[1];
  67. // Compute average loss
  68. avg_cost += c / total_batch;
  69. }
  70. sw.Stop();
  71. // Display logs per epoch step
  72. if ((epoch + 1) % display_step == 0)
  73. print($"Epoch: {(epoch + 1).ToString("D4")} cost= {avg_cost.ToString("G9")} elapse= {sw.ElapsedMilliseconds}ms");
  74. sw.Reset();
  75. }
  76. print("Optimization Finished!");
  77. // SaveModel(sess);
  78. // Test model
  79. var correct_prediction = tf.equal(tf.argmax(pred, 1), tf.argmax(y, 1));
  80. // Calculate accuracy
  81. var accuracy = tf.reduce_mean(tf.cast(correct_prediction, tf.float32));
  82. float acc = accuracy.eval(new FeedItem(x, mnist.test.images), new FeedItem(y, mnist.test.labels));
  83. print($"Accuracy: {acc.ToString("F4")}");
  84. return acc > 0.9;
  85. });
  86. }
  87. public void PrepareData()
  88. {
  89. mnist = MnistDataSet.read_data_sets("mnist", one_hot: true, train_size: train_size, validation_size: validation_size, test_size: test_size);
  90. }
  91. public void SaveModel(Session sess)
  92. {
  93. var saver = tf.train.Saver();
  94. var save_path = saver.save(sess, "logistic_regression/model.ckpt");
  95. tf.train.write_graph(sess.graph, "logistic_regression", "model.pbtxt", as_text: true);
  96. FreezeGraph.freeze_graph(input_graph: "logistic_regression/model.pbtxt",
  97. input_saver: "",
  98. input_binary: false,
  99. input_checkpoint: "logistic_regression/model.ckpt",
  100. output_node_names: "Softmax",
  101. restore_op_name: "save/restore_all",
  102. filename_tensor_name: "save/Const:0",
  103. output_graph: "logistic_regression/model.pb",
  104. clear_devices: true,
  105. initializer_nodes: "");
  106. }
  107. public void Predict()
  108. {
  109. var graph = new Graph().as_default();
  110. graph.Import(Path.Join("logistic_regression", "model.pb"));
  111. with(tf.Session(graph), sess =>
  112. {
  113. // restoring the model
  114. // var saver = tf.train.import_meta_graph("logistic_regression/tensorflowModel.ckpt.meta");
  115. // saver.restore(sess, tf.train.latest_checkpoint('logistic_regression'));
  116. var pred = graph.OperationByName("Softmax");
  117. var output = pred.outputs[0];
  118. var x = graph.OperationByName("Placeholder");
  119. var input = x.outputs[0];
  120. // predict
  121. var (batch_xs, batch_ys) = mnist.train.next_batch(10);
  122. var results = sess.run(output, new FeedItem(input, batch_xs[np.arange(1)]));
  123. if (results.argmax() == (batch_ys[0] as NDArray).argmax())
  124. print("predicted OK!");
  125. else
  126. throw new ValueError("predict error, should be 90% accuracy");
  127. });
  128. }
  129. }
  130. }

tensorflow框架的.NET版本,提供了丰富的特性和API,可以借此很方便地在.NET平台下搭建深度学习训练与推理流程。