Просто используйте Console.SetCursorPosition
для перемещения курсора в определенную позицию, затем Console.Write
символ. Перед каждым кадром вы должны удалить предыдущий, перезаписав его пробелами. Вот небольшой пример, который я только что построил:
class Program
{
static void Main(string[] args)
{
char[] chars = new char[] { '.', '-', '+', '^', '°', '*' };
for (int i = 0; ; i++)
{
if (i != 0)
{
// Delete the previous char by setting it to a space
Console.SetCursorPosition(6 - (i-1) % 6 - 1, Console.CursorTop);
Console.Write(" ");
}
// Write the new char
Console.SetCursorPosition(6 - i % 6 - 1, Console.CursorTop);
Console.Write(chars[i % 6]);
System.Threading.Thread.Sleep(100);
}
}
}
Например, вы можете взять анимированный GIF, извлечь из него все отдельные кадры / изображения (см., Как это сделать здесь ), применить преобразование ASCII (как это сделать, описано здесь например) и распечатывайте их покадрово, как в приведенном выше примере кода.
Обновление
Просто для забавы я реализовал то, что только что описал. Просто попробуйте заменить @"C:\some_animated_gif.gif"
на путь к небольшому (не большому) анимированному GIF. Например, возьмите GIF-загрузчик AJAX из здесь .
class Program
{
static void Main(string[] args)
{
Image image = Image.FromFile(@"C:\some_animated_gif.gif");
FrameDimension dimension = new FrameDimension(
image.FrameDimensionsList[0]);
int frameCount = image.GetFrameCount(dimension);
StringBuilder sb;
// Remember cursor position
int left = Console.WindowLeft, top = Console.WindowTop;
char[] chars = { '#', '#', '@', '%', '=', '+',
'*', ':', '-', '.', ' ' };
for (int i = 0; ; i = (i + 1) % frameCount)
{
sb = new StringBuilder();
image.SelectActiveFrame(dimension, i);
for (int h = 0; h < image.Height; h++)
{
for (int w = 0; w < image.Width; w++)
{
Color cl = ((Bitmap)image).GetPixel(w, h);
int gray = (cl.R + cl.G + cl.B) / 3;
int index = (gray * (chars.Length - 1)) / 255;
sb.Append(chars[index]);
}
sb.Append('\n');
}
Console.SetCursorPosition(left, top);
Console.Write(sb.ToString());
System.Threading.Thread.Sleep(100);
}
}
}