-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcanvas1.scala
51 lines (40 loc) · 1.28 KB
/
canvas1.scala
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
//> using scala 3.3.0
/*
canvas1.scala
Initial image/canvas app with minimal features
Creates a simple PPM
https://en.wikipedia.org/wiki/Netpbm
scala-cli canvas1.scala
*/
case class Colour(r: Int, g: Int, b: Int)
case class Image[T](w: Int, h: Int, data: Vector[T]):
def apply(x: Int, y: Int): T = data(x * h + y)
def map[S](f: T => S): Image[S] = Image(w, h, data map f)
def updated(x: Int, y: Int, value: T): Image[T] =
Image(w, h, data.updated(x * h + y, value))
case object Image:
def blank(w: Int, h: Int): Image[Colour] =
Image(w, h, Vector.fill[Colour](w * h)(Colour(255, 255, 255)))
def saveAsPPM(im: Image[Colour], fileName: String): Unit =
val fs = new java.io.FileWriter(fileName)
fs.write(s"P3 ${im.w} ${im.h} 255\n")
(0 until im.h).foreach(y =>
(0 until im.w).foreach(x =>
val p = im(x, y)
fs.write(s"${p.r} ${p.g} ${p.b}\n")
)
)
fs.close()
object CanvasApp:
val white = Colour(255, 255, 255)
val black = Colour(0, 0, 0)
val red = Colour(255, 0, 0)
val green = Colour(0, 255, 0)
val blue = Colour(0, 0, 255)
@main def main() =
println("Hello")
val im = Image.blank(10, 8)
val im1 = im.updated(3, 2, black).updated(4, 3, red)
Image.saveAsPPM(im1, "test1.ppm")
println("Goodbye")
// eof