I have used (visual studio, windows form, c#) to create some drawings.
My goal is to add save button to save the drawing as it is and when I open the saved file in future I can continue my old work...
What happen now is every time I open visual studio I have to redraw every thing .
The first task is collecting the data you draw in a List<T>
.
For code on how to collect them see (all) my comments here or Reza's answer here.
Here is an example to save & load simple PointF
lists you can use to draw curves:
using System.IO;
using System.Xml.Serialization;
// all drawn curve points are collected here:
List<List<PointF>> curves = new List<List<PointF>>();
private void SaveButton_Click(object sender, EventArgs e)
{
XmlSerializer xmls = new XmlSerializer(typeof(List<List<PointF>>));
using (Stream writer = new FileStream(yourDrawingFileName, FileMode.Create))
{
xmls.Serialize(writer, curves);
writer.Close();
}
}
private void LoadButton_Click(object sender, EventArgs e)
{
if (File.Exists(yourDrawingFileName))
{
XmlSerializer xmls = new XmlSerializer(typeof(List<List<PointF>>));
using (Stream reader = new FileStream(yourDrawingFileName, FileMode.Open))
{
var curves_ = xmls.Deserialize(reader);
reader.Close();
curves = (List<List<PointF>>) curves_;
Console.Write(curves.Count + " curves loaded.");
}
}
yourPanelOrPictureBoxOrForm.Invalidate;
}
If you want to save a more complex class of drawing actions replace PointF
by yourClass
. Make sure the class is serializable! (Points
are fine, ints
and strings
of course as well; Colors
need a little help..)
For hints on how to design a more complex draw action class see here