Mercurial > cortex
view org/touch.org @ 296:1eed471e2ebf
first version of a mini motor-control script language
author | Robert McIntyre <rlm@mit.edu> |
---|---|
date | Thu, 16 Feb 2012 11:04:22 -0700 |
parents | 23aadf376e9d |
children | 7e7f8d6d9ec5 |
line wrap: on
line source
1 #+title: Simulated Sense of Touch2 #+author: Robert McIntyre3 #+email: rlm@mit.edu4 #+description: Simulated touch for AI research using JMonkeyEngine and clojure.5 #+keywords: simulation, tactile sense, jMonkeyEngine3, clojure6 #+SETUPFILE: ../../aurellem/org/setup.org7 #+INCLUDE: ../../aurellem/org/level-0.org9 * Touch11 Touch is critical to navigation and spatial reasoning and as such I12 need a simulated version of it to give to my AI creatures.14 Human skin has a wide array of touch sensors, each of which speciliaze15 in detecting different vibrational modes and pressures. These sensors16 can integrate a vast expanse of skin (i.e. your entire palm), or a17 tiny patch of skin at the tip of your finger. The hairs of the skin18 help detect objects before they even come into contact with the skin19 proper.21 However, touch in my simulated world can not exactly correspond to22 human touch because my creatures are made out of completely rigid23 segments that don't deform like human skin.25 Instead of measuring deformation or vibration, I surround each rigid26 part with a plenitude of hair-like objects (/feelers/) which do not27 interact with the physical world. Physical objects can pass through28 them with no effect. The feelers are able to tell when other objects29 pass through them, and they constantly report how much of their extent30 is covered. So even though the creature's body parts do not deform,31 the feelers create a margin around those body parts which achieves a32 sense of touch which is a hybrid between a human's sense of33 deformation and sense from hairs.35 Implementing touch in jMonkeyEngine follows a different techinal route36 than vision and hearing. Those two senses piggybacked off37 jMonkeyEngine's 3D audio and video rendering subsystems. To simulate38 touch, I use jMonkeyEngine's physics system to execute many small39 collision detections, one for each feeler. The placement of the40 feelers is determined by a UV-mapped image which shows where each41 feeler should be on the 3D surface of the body.43 * Defining Touch Meta-Data in Blender45 Each geometry can have a single UV map which describes the position of46 the feelers which will constitute its sense of touch. This image path47 is stored under the "touch" key. The image itself is black and white,48 with black meaning a feeler length of 0 (no feeler is present) and49 white meaning a feeler length of =scale=, which is a float stored50 under the key "scale".52 #+name: meta-data53 #+begin_src clojure54 (defn tactile-sensor-profile55 "Return the touch-sensor distribution image in BufferedImage format,56 or nil if it does not exist."57 [#^Geometry obj]58 (if-let [image-path (meta-data obj "touch")]59 (load-image image-path)))61 (defn tactile-scale62 "Return the length of each feeler. Default scale is 0.0163 jMonkeyEngine units."64 [#^Geometry obj]65 (if-let [scale (meta-data obj "scale")]66 scale 0.1))67 #+end_src69 Here is an example of a UV-map which specifies the position of touch70 sensors along the surface of the upper segment of the worm.72 #+attr_html: width=75573 #+caption: This is the tactile-sensor-profile for the upper segment of the worm. It defines regions of high touch sensitivity (where there are many white pixels) and regions of low sensitivity (where white pixels are sparse).74 [[../images/finger-UV.png]]76 * Implementation Summary78 To simulate touch there are three conceptual steps. For each solid79 object in the creature, you first have to get UV image and scale80 paramater which define the position and length of the feelers. Then,81 you use the triangles which compose the mesh and the UV data stored in82 the mesh to determine the world-space position and orientation of each83 feeler. Then once every frame, update these positions and orientations84 to match the current position and orientation of the object, and use85 physics collision detection to gather tactile data.87 Extracting the meta-data has already been described. The third step,88 physics collision detection, is handled in =touch-kernel=.89 Translating the positions and orientations of the feelers from the90 UV-map to world-space is itself a three-step process.92 - Find the triangles which make up the mesh in pixel-space and in93 world-space. =triangles= =pixel-triangles=.95 - Find the coordinates of each feeler in world-space. These are the96 origins of the feelers. =feeler-origins=.98 - Calculate the normals of the triangles in world space, and add99 them to each of the origins of the feelers. These are the100 normalized coordinates of the tips of the feelers. =feeler-tips=.102 * Triangle Math103 ** Schrapnel Conversion Functions105 #+name: triangles-1106 #+begin_src clojure107 (defn vector3f-seq [#^Vector3f v]108 [(.getX v) (.getY v) (.getZ v)])110 (defn triangle-seq [#^Triangle tri]111 [(vector3f-seq (.get1 tri))112 (vector3f-seq (.get2 tri))113 (vector3f-seq (.get3 tri))])115 (defn ->vector3f116 ([coords] (Vector3f. (nth coords 0 0)117 (nth coords 1 0)118 (nth coords 2 0))))120 (defn ->triangle [points]121 (apply #(Triangle. %1 %2 %3) (map ->vector3f points)))122 #+end_src124 It is convienent to treat a =Triangle= as a vector of vectors, and a125 =Vector2f= or =Vector3f= as vectors of floats. (->vector3f) and126 (->triangle) undo the operations of =vector3f-seq= and127 =triangle-seq=. If these classes implemented =Iterable= then =seq=128 would work on them automitacally.130 ** Decomposing a 3D shape into Triangles132 The rigid objects which make up a creature have an underlying133 =Geometry=, which is a =Mesh= plus a =Material= and other important134 data involved with displaying the object.136 A =Mesh= is composed of =Triangles=, and each =Triangle= has three137 verticies which have coordinates in world space and UV space.139 Here, =triangles= gets all the world-space triangles which compose a140 mesh, while =pixel-triangles= gets those same triangles expressed in141 pixel coordinates (which are UV coordinates scaled to fit the height142 and width of the UV image).144 #+name: triangles-2145 #+begin_src clojure146 (in-ns 'cortex.touch)147 (defn triangle148 "Get the triangle specified by triangle-index from the mesh."149 [#^Geometry geo triangle-index]150 (triangle-seq151 (let [scratch (Triangle.)]152 (.getTriangle (.getMesh geo) triangle-index scratch) scratch)))154 (defn triangles155 "Return a sequence of all the Triangles which compose a given156 Geometry."157 [#^Geometry geo]158 (map (partial triangle geo) (range (.getTriangleCount (.getMesh geo)))))160 (defn triangle-vertex-indices161 "Get the triangle vertex indices of a given triangle from a given162 mesh."163 [#^Mesh mesh triangle-index]164 (let [indices (int-array 3)]165 (.getTriangle mesh triangle-index indices)166 (vec indices)))168 (defn vertex-UV-coord169 "Get the UV-coordinates of the vertex named by vertex-index"170 [#^Mesh mesh vertex-index]171 (let [UV-buffer172 (.getData173 (.getBuffer174 mesh175 VertexBuffer$Type/TexCoord))]176 [(.get UV-buffer (* vertex-index 2))177 (.get UV-buffer (+ 1 (* vertex-index 2)))]))179 (defn pixel-triangle [#^Geometry geo image index]180 (let [mesh (.getMesh geo)181 width (.getWidth image)182 height (.getHeight image)]183 (vec (map (fn [[u v]] (vector (* width u) (* height v)))184 (map (partial vertex-UV-coord mesh)185 (triangle-vertex-indices mesh index))))))187 (defn pixel-triangles188 "The pixel-space triangles of the Geometry, in the same order as189 (triangles geo)"190 [#^Geometry geo image]191 (let [height (.getHeight image)192 width (.getWidth image)]193 (map (partial pixel-triangle geo image)194 (range (.getTriangleCount (.getMesh geo))))))195 #+end_src196 ** The Affine Transform from one Triangle to Another198 =pixel-triangles= gives us the mesh triangles expressed in pixel199 coordinates and =triangles= gives us the mesh triangles expressed in200 world coordinates. The tactile-sensor-profile gives the position of201 each feeler in pixel-space. In order to convert pixel-space202 coordinates into world-space coordinates we need something that takes203 coordinates on the surface of one triangle and gives the corresponding204 coordinates on the surface of another triangle.206 Triangles are [[http://mathworld.wolfram.com/AffineTransformation.html ][affine]], which means any triangle can be transformed into207 any other by a combination of translation, scaling, and208 rotation. The affine transformation from one triangle to another209 is readily computable if the triangle is expressed in terms of a $4x4$210 matrix.212 \begin{bmatrix}213 x_1 & x_2 & x_3 & n_x \\214 y_1 & y_2 & y_3 & n_y \\215 z_1 & z_2 & z_3 & n_z \\216 1 & 1 & 1 & 1217 \end{bmatrix}219 Here, the first three columns of the matrix are the verticies of the220 triangle. The last column is the right-handed unit normal of the221 triangle.223 With two triangles $T_{1}$ and $T_{2}$ each expressed as a matrix like224 above, the affine transform from $T_{1}$ to $T_{2}$ is226 $T_{2}T_{1}^{-1}$228 The clojure code below recaptiulates the formulas above, using229 jMonkeyEngine's =Matrix4f= objects, which can describe any affine230 transformation.232 #+name: triangles-3233 #+begin_src clojure234 (in-ns 'cortex.touch)236 (defn triangle->matrix4f237 "Converts the triangle into a 4x4 matrix: The first three columns238 contain the vertices of the triangle; the last contains the unit239 normal of the triangle. The bottom row is filled with 1s."240 [#^Triangle t]241 (let [mat (Matrix4f.)242 [vert-1 vert-2 vert-3]243 ((comp vec map) #(.get t %) (range 3))244 unit-normal (do (.calculateNormal t)(.getNormal t))245 vertices [vert-1 vert-2 vert-3 unit-normal]]246 (dorun247 (for [row (range 4) col (range 3)]248 (do249 (.set mat col row (.get (vertices row) col))250 (.set mat 3 row 1)))) mat))252 (defn triangles->affine-transform253 "Returns the affine transformation that converts each vertex in the254 first triangle into the corresponding vertex in the second255 triangle."256 [#^Triangle tri-1 #^Triangle tri-2]257 (.mult258 (triangle->matrix4f tri-2)259 (.invert (triangle->matrix4f tri-1))))260 #+end_src261 ** Triangle Boundaries263 For efficiency's sake I will divide the tactile-profile image into264 small squares which inscribe each pixel-triangle, then extract the265 points which lie inside the triangle and map them to 3D-space using266 =triangle-transform= above. To do this I need a function,267 =convex-bounds= which finds the smallest box which inscribes a 2D268 triangle.270 =inside-triangle?= determines whether a point is inside a triangle271 in 2D pixel-space.273 #+name: triangles-4274 #+begin_src clojure275 (defn convex-bounds276 "Returns the smallest square containing the given vertices, as a277 vector of integers [left top width height]."278 [verts]279 (let [xs (map first verts)280 ys (map second verts)281 x0 (Math/floor (apply min xs))282 y0 (Math/floor (apply min ys))283 x1 (Math/ceil (apply max xs))284 y1 (Math/ceil (apply max ys))]285 [x0 y0 (- x1 x0) (- y1 y0)]))287 (defn same-side?288 "Given the points p1 and p2 and the reference point ref, is point p289 on the same side of the line that goes through p1 and p2 as ref is?"290 [p1 p2 ref p]291 (<=292 0293 (.dot294 (.cross (.subtract p2 p1) (.subtract p p1))295 (.cross (.subtract p2 p1) (.subtract ref p1)))))297 (defn inside-triangle?298 "Is the point inside the triangle?"299 {:author "Dylan Holmes"}300 [#^Triangle tri #^Vector3f p]301 (let [[vert-1 vert-2 vert-3] [(.get1 tri) (.get2 tri) (.get3 tri)]]302 (and303 (same-side? vert-1 vert-2 vert-3 p)304 (same-side? vert-2 vert-3 vert-1 p)305 (same-side? vert-3 vert-1 vert-2 p))))306 #+end_src308 * Feeler Coordinates310 The triangle-related functions above make short work of calculating311 the positions and orientations of each feeler in world-space.313 #+name: sensors314 #+begin_src clojure315 (in-ns 'cortex.touch)317 (defn feeler-pixel-coords318 "Returns the coordinates of the feelers in pixel space in lists, one319 list for each triangle, ordered in the same way as (triangles) and320 (pixel-triangles)."321 [#^Geometry geo image]322 (map323 (fn [pixel-triangle]324 (filter325 (fn [coord]326 (inside-triangle? (->triangle pixel-triangle)327 (->vector3f coord)))328 (white-coordinates image (convex-bounds pixel-triangle))))329 (pixel-triangles geo image)))331 (defn feeler-world-coords332 "Returns the coordinates of the feelers in world space in lists, one333 list for each triangle, ordered in the same way as (triangles) and334 (pixel-triangles)."335 [#^Geometry geo image]336 (let [transforms337 (map #(triangles->affine-transform338 (->triangle %1) (->triangle %2))339 (pixel-triangles geo image)340 (triangles geo))]341 (map (fn [transform coords]342 (map #(.mult transform (->vector3f %)) coords))343 transforms (feeler-pixel-coords geo image))))345 (defn feeler-origins346 "The world space coordinates of the root of each feeler."347 [#^Geometry geo image]348 (reduce concat (feeler-world-coords geo image)))350 (defn feeler-tips351 "The world space coordinates of the tip of each feeler."352 [#^Geometry geo image]353 (let [world-coords (feeler-world-coords geo image)354 normals355 (map356 (fn [triangle]357 (.calculateNormal triangle)358 (.clone (.getNormal triangle)))359 (map ->triangle (triangles geo)))]361 (mapcat (fn [origins normal]362 (map #(.add % normal) origins))363 world-coords normals)))365 (defn touch-topology366 "touch-topology? is not a function."367 [#^Geometry geo image]368 (collapse (reduce concat (feeler-pixel-coords geo image))))369 #+end_src370 * Simulated Touch372 =touch-kernel= generates functions to be called from within a373 simulation that perform the necessary physics collisions to collect374 tactile data, and =touch!= recursively applies it to every node in375 the creature.377 #+name: kernel378 #+begin_src clojure379 (in-ns 'cortex.touch)381 (defn set-ray [#^Ray ray #^Matrix4f transform382 #^Vector3f origin #^Vector3f tip]383 ;; Doing everything locally recduces garbage collection by enough to384 ;; be worth it.385 (.mult transform origin (.getOrigin ray))386 (.mult transform tip (.getDirection ray))387 (.subtractLocal (.getDirection ray) (.getOrigin ray))388 (.normalizeLocal (.getDirection ray)))390 (import com.jme3.math.FastMath)393 (defn touch-kernel394 "Constructs a function which will return tactile sensory data from395 'geo when called from inside a running simulation"396 [#^Geometry geo]397 (if-let398 [profile (tactile-sensor-profile geo)]399 (let [ray-reference-origins (feeler-origins geo profile)400 ray-reference-tips (feeler-tips geo profile)401 ray-length (tactile-scale geo)402 current-rays (map (fn [_] (Ray.)) ray-reference-origins)403 topology (touch-topology geo profile)404 correction (float (* ray-length -0.2))]406 ;; slight tolerance for very close collisions.407 (dorun408 (map (fn [origin tip]409 (.addLocal origin (.mult (.subtract tip origin)410 correction)))411 ray-reference-origins ray-reference-tips))412 (dorun (map #(.setLimit % ray-length) current-rays))413 (fn [node]414 (let [transform (.getWorldMatrix geo)]415 (dorun416 (map (fn [ray ref-origin ref-tip]417 (set-ray ray transform ref-origin ref-tip))418 current-rays ray-reference-origins419 ray-reference-tips))420 (vector421 topology422 (vec423 (for [ray current-rays]424 (do425 (let [results (CollisionResults.)]426 (.collideWith node ray results)427 (let [touch-objects428 (filter #(not (= geo (.getGeometry %)))429 results)430 limit (.getLimit ray)]431 [(if (empty? touch-objects)432 limit433 (let [response434 (apply min (map #(.getDistance %)435 touch-objects))]436 (FastMath/clamp437 (float438 (if (> response limit) (float 0.0)439 (+ response correction)))440 (float 0.0)441 limit)))442 limit])))))))))))444 (defn touch!445 "Endow the creature with the sense of touch. Returns a sequence of446 functions, one for each body part with a tactile-sensor-proile,447 each of which when called returns sensory data for that body part."448 [#^Node creature]449 (filter450 (comp not nil?)451 (map touch-kernel452 (filter #(isa? (class %) Geometry)453 (node-seq creature)))))454 #+end_src456 #+results: kernel457 : #'cortex.touch/touch!459 * Visualizing Touch461 Each feeler is represented in the image as a single pixel. The462 grayscale value of each pixel represents how deep the feeler463 represented by that pixel is inside another object. Black means that464 nothing is touching the feeler, while white means that the feeler is465 completely inside another object, which is presumably flush with the466 surface of the triangle from which the feeler originates.468 #+name: visualization469 #+begin_src clojure470 (in-ns 'cortex.touch)472 (defn touch->gray473 "Convert a pair of [distance, max-distance] into a grayscale pixel."474 [distance max-distance]475 (gray (- 255 (rem (int (* 255 (/ distance max-distance))) 256))))477 (defn view-touch478 "Creates a function which accepts a list of touch sensor-data and479 displays each element to the screen."480 []481 (view-sense482 (fn [[coords sensor-data]]483 (let [image (points->image coords)]484 (dorun485 (for [i (range (count coords))]486 (.setRGB image ((coords i) 0) ((coords i) 1)487 (apply touch->gray (sensor-data i)))))488 image))))489 #+end_src491 #+results: visualization492 : #'cortex.touch/view-touch494 * Basic Test of Touch496 The worm's sense of touch is a bit complicated, so for this basic test497 I'll use a new creature --- a simple cube which has touch sensors498 evenly distributed along each of its sides.500 #+name: test-touch-0501 #+begin_src clojure502 (in-ns 'cortex.test.touch)504 (defn touch-cube []505 (load-blender-model "Models/test-touch/touch-cube.blend"))506 #+end_src508 ** The Touch Cube509 #+begin_html510 <div class="figure">511 <center>512 <video controls="controls" width="500">513 <source src="../video/touch-cube.ogg" type="video/ogg"514 preload="none" poster="../images/aurellem-1280x480.png" />515 </video>516 </center>517 <p>A simple creature with evenly distributed touch sensors.</p>518 </div>519 #+end_html521 The tactile-sensor-profile image for this simple creature looks like522 this:524 #+attr_html: width=500525 #+caption: The distribution of feelers along the touch-cube. The colors of the faces are irrelevant; only the white pixels specify feelers.526 [[../images/touch-profile.png]]528 #+name: test-touch-1529 #+begin_src clojure530 (in-ns 'cortex.test.touch)532 (defn test-basic-touch533 ([] (test-basic-touch false))534 ([record?]535 (let [the-cube (doto (touch-cube) (body!))536 touch (touch! the-cube)537 touch-display (view-touch)]538 (world539 (nodify [the-cube540 (box 10 1 10 :position (Vector3f. 0 -10 0)541 :color ColorRGBA/Gray :mass 0)])543 standard-debug-controls545 (fn [world]546 (if record?547 (Capture/captureVideo548 world549 (File. "/home/r/proj/cortex/render/touch-cube/main-view/")))550 (speed-up world)551 (light-up-everything world))553 (fn [world tpf]554 (touch-display555 (map #(% (.getRootNode world)) touch)556 (if record?557 (File. "/home/r/proj/cortex/render/touch-cube/touch/"))))))))558 #+end_src560 ** Basic Touch Demonstration562 #+begin_html563 <div class="figure">564 <center>565 <video controls="controls" width="755">566 <source src="../video/basic-touch.ogg" type="video/ogg"567 preload="none" poster="../images/aurellem-1280x480.png" />568 </video>569 </center>570 <p>The simple creature responds to touch.</p>571 </div>572 #+end_html574 ** Generating the Basic Touch Video575 #+name: magick4576 #+begin_src clojure577 (ns cortex.video.magick4578 (:import java.io.File)579 (:use clojure.contrib.shell-out))581 (defn images [path]582 (sort (rest (file-seq (File. path)))))584 (def base "/home/r/proj/cortex/render/touch-cube/")586 (defn pics [file]587 (images (str base file)))589 (defn combine-images []590 (let [main-view (pics "main-view")591 touch (pics "touch/0")592 background (repeat 9001 (File. (str base "background.png")))593 targets (map594 #(File. (str base "out/" (format "%07d.png" %)))595 (range 0 (count main-view)))]596 (dorun597 (pmap598 (comp599 (fn [[background main-view touch target]]600 (println target)601 (sh "convert"602 touch603 "-resize" "x300"604 "-rotate" "180"605 background606 "-swap" "0,1"607 "-geometry" "+776+129"608 "-composite"609 main-view "-geometry" "+66+21" "-composite"610 target))611 (fn [& args] (map #(.getCanonicalPath %) args)))612 background main-view touch targets))))613 #+end_src615 #+begin_src sh :results silent616 cd /home/r/proj/cortex/render/touch-cube/617 ffmpeg -r 60 -i out/%07d.png -b:v 9000k -c:v libtheora basic-touch.ogg618 #+end_src620 * Adding Touch to the Worm622 #+name: test-touch-2623 #+begin_src clojure624 (in-ns 'cortex.test.touch)626 (defn test-worm-touch627 ([] (test-worm-touch false))628 ([record?]629 (let [the-worm (doto (worm) (body!))630 touch (touch! the-worm)631 touch-display (view-touch)]632 (world633 (nodify [the-worm (floor)])634 standard-debug-controls636 (fn [world]637 (if record?638 (Capture/captureVideo639 world640 (File. "/home/r/proj/cortex/render/worm-touch/main-view/")))641 (speed-up world)642 (light-up-everything world))644 (fn [world tpf]645 (touch-display646 (map #(% (.getRootNode world)) touch)647 (if record?648 (File. "/home/r/proj/cortex/render/worm-touch/touch/"))))))))649 #+end_src651 ** Worm Touch Demonstration652 #+begin_html653 <div class="figure">654 <center>655 <video controls="controls" width="550">656 <source src="../video/worm-touch.ogg" type="video/ogg"657 preload="none" poster="../images/aurellem-1280x480.png" />658 </video>659 </center>660 <p>The worm responds to touch.</p>661 </div>662 #+end_html665 ** Generating the Worm Touch Video666 #+name: magick5667 #+begin_src clojure668 (ns cortex.video.magick5669 (:import java.io.File)670 (:use clojure.contrib.shell-out))672 (defn images [path]673 (sort (rest (file-seq (File. path)))))675 (def base "/home/r/proj/cortex/render/worm-touch/")677 (defn pics [file]678 (images (str base file)))680 (defn combine-images []681 (let [main-view (pics "main-view")682 touch (pics "touch/0")683 targets (map684 #(File. (str base "out/" (format "%07d.png" %)))685 (range 0 (count main-view)))]686 (dorun687 (pmap688 (comp689 (fn [[ main-view touch target]]690 (println target)691 (sh "convert"692 main-view693 touch "-geometry" "+0+0" "-composite"694 target))695 (fn [& args] (map #(.getCanonicalPath %) args)))696 main-view touch targets))))697 #+end_src699 * Headers701 #+name: touch-header702 #+begin_src clojure703 (ns cortex.touch704 "Simulate the sense of touch in jMonkeyEngine3. Enables any Geometry705 to be outfitted with touch sensors with density determined by a UV706 image. In this way a Geometry can know what parts of itself are707 touching nearby objects. Reads specially prepared blender files to708 construct this sense automatically."709 {:author "Robert McIntyre"}710 (:use (cortex world util sense))711 (:use clojure.contrib.def)712 (:import (com.jme3.scene Geometry Node Mesh))713 (:import com.jme3.collision.CollisionResults)714 (:import com.jme3.scene.VertexBuffer$Type)715 (:import (com.jme3.math Triangle Vector3f Vector2f Ray Matrix4f)))716 #+end_src718 #+name: test-touch-header719 #+begin_src clojure720 (ns cortex.test.touch721 (:use (cortex world util sense body touch))722 (:use cortex.test.body)723 (:import com.aurellem.capture.Capture)724 (:import java.io.File)725 (:import (com.jme3.math Vector3f ColorRGBA)))726 #+end_src728 * Source Listing729 - [[../src/cortex/touch.clj][cortex.touch]]730 - [[../src/cortex/test/touch.clj][cortex.test.touch]]731 - [[../src/cortex/video/magick4.clj][cortex.video.magick4]]732 - [[../src/cortex/video/magick5.clj][cortex.video.magick5]]733 - [[../assets/Models/test-touch/touch-cube.blend][touch-cube.blend]]734 #+html: <ul> <li> <a href="../org/touch.org">This org file</a> </li> </ul>735 - [[http://hg.bortreb.com ][source-repository]]737 * Next738 So far I've implemented simulated Vision, Hearing, and Touch, the most739 obvious and promiment senses that humans have. Smell and Taste shall740 remain unimplemented for now. This accounts for the "five senses" that741 feature so prominently in our lives. But humans have far more than the742 five main senses. There are internal chemical senses, pain (which is743 *not* the same as touch), heat sensitivity, and our sense of balance,744 among others. One extra sense is so important that I must implement it745 to have a hope of making creatures that can gracefully control their746 own bodies. It is Proprioception, which is the sense of the location747 of each body part in relation to the other body parts.749 Close your eyes, and touch your nose with your right index finger. How750 did you do it? You could not see your hand, and neither your hand nor751 your nose could use the sense of touch to guide the path of your hand.752 There are no sound cues, and Taste and Smell certainly don't provide753 any help. You know where your hand is without your other senses754 because of Proprioception.756 Onward to [[./proprioception.org][proprioception]]!758 * COMMENT Code Generation759 #+begin_src clojure :tangle ../src/cortex/touch.clj760 <<touch-header>>761 <<meta-data>>762 <<triangles-1>>763 <<triangles-2>>764 <<triangles-3>>765 <<triangles-4>>766 <<sensors>>767 <<kernel>>768 <<visualization>>769 #+end_src771 #+begin_src clojure :tangle ../src/cortex/test/touch.clj772 <<test-touch-header>>773 <<test-touch-0>>774 <<test-touch-1>>775 <<test-touch-2>>776 #+end_src778 #+begin_src clojure :tangle ../src/cortex/video/magick4.clj779 <<magick4>>780 #+end_src782 #+begin_src clojure :tangle ../src/cortex/video/magick5.clj783 <<magick5>>784 #+end_src