drpanwe

picotron manual

Mar 14th, 2025
13
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
text 157.01 KB | None | 0 0
  1. ====================================================================================================
  2. Picotron User Manual
  3. ====================================================================================================
  4.  
  5. Picotron v0.1.1f
  6. https://www.picotron.net
  7. (c) Copyright 2022~25 Lexaloffle Games LLP
  8. Author: Joseph White // [email protected]
  9.  
  10. Picotron is made with:
  11.  
  12. SDL2 http://www.libsdl.org
  13. Lua 5.4 http://www.lua.org // see license.txt
  14. lz4 by Yann Collet https://www.lz4.org // see license.txt
  15. z8lua by Sam Hocevar https://github.com/samhocevar/z8lua
  16. GIFLIB http://giflib.sourceforge.net/
  17. libb64 by Chris Venter
  18.  
  19. Latest version of this manual: https://www.lexaloffle.com/picotron.php?page=resources
  20.  
  21. :: Contents
  22.  
  23. :: Welcome to Picotron
  24.  
  25. Picotron is a Fantasy Workstation for making pixelart games, animations, music, demos and other
  26. curiosities. It can also be used to create tools that run inside Picotron itself, and to
  27. customise things like live wallpapers and screensavers. It has a toy operating system designed
  28. to be a cosy creative space, but runs on top of Windows, MacOS or Linux. Picotron apps can be
  29. made with built-in tools, and shared with other users in a special 256k png cartridge format.
  30.  
  31. :: Specifications
  32.  
  33. Display: 480x270 / 240x135 64 definable colours
  34. Graphics: Blend tables, tline3d, stencil clipping
  35. Audio: 64-node synth and 8-channel tracker
  36. Code: Lua 5.4 w/ PICO-8 compatability features
  37. CPU: 8M Lua vm insts / second
  38. Cart: .p64.png (256k) / .p64 ("unlimited")
  39.  
  40. ====================================================================================================
  41. Getting Started
  42. ====================================================================================================
  43.  
  44. ----------------------------------------------------------------------------------------------------
  45. Drive Storage
  46. ----------------------------------------------------------------------------------------------------
  47.  
  48. The first time Picotron is run, it will automatically create a configuration file that
  49. specifies where to store files if one does not already exist:
  50.  
  51. Windows: C:/Users/Yourname/AppData/Roaming/Picotron/picotron_config.txt
  52. OSX: /Users/Yourname/Library/Application Support/Picotron/picotron_config.txt
  53. Linux: ~/.lexaloffle/Picotron/picotron_config.txt
  54.  
  55. The default configuration:
  56.  
  57. mount / C:/Users/Yourname/AppData/Roaming/Picotron/drive
  58.  
  59. From inside Picotron, any folder in the file navigator can be opened in a regular non-Picotron
  60. file browser with "View in Host OS", or by typing "folder" from terminal. Picotron's filenav
  61. gui is a work in progress, so you might want to do any complex file management from the host
  62. OS for now!
  63.  
  64. ----------------------------------------------------------------------------------------------------
  65. Shortcuts
  66. ----------------------------------------------------------------------------------------------------
  67.  
  68. ALT+ENTER: Toggle Fullscreen
  69. ALT+F4: Fast Quit (Windows)
  70. CTRL-Q: Fast Quit (Mac, Linux) -- need to enable in settings
  71. CTRL-R: Reload / Run / Restart cartridge
  72. CTRL-S: Quick-Save working cartridge (or current file if not inside /ram/cart)
  73. ALT+LEFT/RIGHT Change Workspace (use option on Mac)
  74. ESCAPE: Toggle between desktop / terminal
  75. ENTER: Pause menu (fullscreen apps)
  76. CTRL-6: Capture a Screenshot, saved as {Your Desktop}/picotron_desktop
  77. CTRL-7: Capture a Cartridge Label
  78. CTRL-8: Start recording a GIF (SHIFT-CTRL-8 to select a region first)
  79. CTRL-9: End recording GIF
  80.  
  81. ----------------------------------------------------------------------------------------------------
  82. Creating a Cartridge
  83. ----------------------------------------------------------------------------------------------------
  84.  
  85. Picotron is a cartridge-orientated workstation. A cartridge is like an application bundle, or a
  86. project folder: it is a collection of Lua source code files, graphics, audio and any other data
  87. files the cartridge needs to run. The "present working cartridge" is always in a RAM folder
  88. named /ram/cart.
  89.  
  90. Click on the code editor workspace at top right, which looks like this: ()
  91.  
  92. Paste in a program (select here, CTRL-C, and then CTRL-V inside Picotron)
  93.  
  94. function _init()
  95. bunny = unpod(
  96. "b64:bHo0AEIAAABZAAAA-wpweHUAQyAQEAQgF1AXQDcwNzAHHxcHM"..
  97. "AceBAAHc7cwFwFnAQcGAPAJZx8OJ0CXcF8dkFeQFy4HkBcuB5AXEBdA"
  98. )
  99. x = 232
  100. y = 127
  101. hflip = false
  102. end
  103.  
  104. function _draw()
  105. cls(3) -- clear the screen to colour 3 (green)
  106. srand(0) -- reset the random number generator sequence
  107. for i=1,50 do
  108. print("\\|/",rnd(480),rnd(270),19) -- grass
  109. print("*",rnd(480),rnd(270),rnd{8,10,14,23}) -- flower
  110. end
  111. ovalfill(x+2,y+15,x+12,y+18, 19) -- shadow
  112. spr(bunny, x, y - (flr(hop)&2), hflip) -- bunny
  113. end
  114.  
  115. function _update()
  116. if (btn(0)) x -= 2 hflip = true
  117. if (btn(1)) x += 2 hflip = false
  118. if (btn(2)) y -= 2
  119. if (btn(3)) y += 2
  120. if (btn()>0) then
  121. hop += .2 -- any button pressed -> hop
  122. else
  123. hop = 0
  124. end
  125. end
  126.  
  127. Now, press CTRL-R to run it. CTRL-R runs whatever is in /ram/cart, and the entry point in the
  128. cartridge is always main.lua (the file you were editing).
  129.  
  130. After hopping around with the cursor keys, you can halt the program by pressing ESCAPE, and
  131. then ESCAPE once more to get back to the code editor.
  132.  
  133. There is a lot going on here! The _init() function is always called once when the program
  134. starts, and here it creates an image stored as text (a "pod"), and then sets the bunny's
  135. initial x,y position.
  136.  
  137. _draw() is called whenever a frame is drawn (at 60fps or 30fps if there isn't enough available
  138. cpu). _update() is always called at 60fps, so is a good place to put code that updates the
  139. world at a consistent speed.
  140.  
  141. ----------------------------------------------------------------------------------------------------
  142. Adding Graphics
  143. ----------------------------------------------------------------------------------------------------
  144.  
  145. Normally graphics are stored in .gfx files included in the cartridge at gfx/*.gfx
  146.  
  147. Click on the second workspace to draw a sprite. By default, the sprite editor has
  148. /ram/cart/gfx/0.gfx open which is a spritebank that is automatically loaded when a cartridge is
  149. run (and can be modified with @set_spr).
  150.  
  151. Now, instead of using the "bunny" image, the index of the sprite can be used:
  152.  
  153. spr(1, x, y, hflip) -- hflip controls horizontal flipping
  154.  
  155. The map works the same way: map/0.map is automatically loaded, and can be drawn with:
  156.  
  157. map()
  158.  
  159. Map files can also be loaded directly, as a table of layers. Each layer has a @Userdata .bmp
  160. that can be passed to map() as the first parameter:
  161.  
  162. layers = fetch("map/0.map")
  163. map(layers[1].bmp)
  164.  
  165. To adjust the draw position to keep the player centered, try using camera() at the start of
  166. _draw():
  167.  
  168. camera(x - 240, y - 135)
  169.  
  170. ----------------------------------------------------------------------------------------------------
  171. Adding Code Tabs
  172. ----------------------------------------------------------------------------------------------------
  173.  
  174. Multiple code tabs can be created by making a lua file for each one. Click on the [+] tab
  175. button near the top and type in a name for the new file (a .lua extension will be added
  176. automatically if needed), and then include them at the top of your main.lua program:
  177.  
  178. include "title.lua"
  179. include "monster.lua"
  180. include "math.lua"
  181.  
  182. The filename is relative to the present working directory, which starts as the directory a
  183. program is run from (e.g. /ram/cart).
  184.  
  185. ----------------------------------------------------------------------------------------------------
  186. Saving a Cartridge
  187. ----------------------------------------------------------------------------------------------------
  188.  
  189. To save a cartridge to disk, open a terminal from the picotron menu (top left), and type:
  190.  
  191. save mycart.p64
  192.  
  193. (or just "save mycart" ~ the .p64 extension will be added automatically)
  194.  
  195. The save command simply copies the contents of /ram/cart to mycart.p64.
  196.  
  197. Note that you can not save the cart while you are inside /ram/cart (e.g. after you press escape
  198. to halt a program). That would mean copying a folder somewhere inside itself! Also, saving to
  199. anything inside /ram or /system will only save to memory which disappears the next time
  200. Picotron is restarted.
  201.  
  202. Once a cartridge has been saved, the filename is set as the "present working cartridge", and
  203. subsequent saves can be issued with the shortcut: CTRL-S. To get information about the current
  204. cartridge, type "info" at the terminal prompt.
  205.  
  206. When editing code and graphics files inside a cartridge, those individual files are auto-saved
  207. to /ram/cart so that CTRL-R will run the current version (there's no need to save before each
  208. run).
  209.  
  210. When using an editor to edit a file that is outside /ram/cart, CTRL-S saves that individual
  211. file.
  212.  
  213. ----------------------------------------------------------------------------------------------------
  214. Terminal Commands
  215. ----------------------------------------------------------------------------------------------------
  216.  
  217. Some handy commands: // "directory" means "folder"
  218.  
  219. ls list the current directory
  220. cd foo change directory (e.g. cd /desktop)
  221. mkdir foo create a directory
  222. folder open the current directory in your Host OS
  223. open . open the current directory in filenav
  224. open fn open a file with an associated editor
  225. rm filename remove a file or directory (be careful!)
  226. cp f0 f1 copy file / directory f0 to f1
  227. mv f0 f1 move file / directory f0 to f1
  228. info information about the current cartridge
  229. load cart load a cartridge into /ram/cart
  230. save cart save a cartridge
  231.  
  232. To create your own commands, see: @Custom_Commands
  233.  
  234. ----------------------------------------------------------------------------------------------------
  235. Uploading a Cartridge to the BBS
  236. ----------------------------------------------------------------------------------------------------
  237.  
  238. Cartridges can be shared on the lexaloffle BBS:
  239.  
  240. https://www.lexaloffle.com/bbs/?cat=8
  241.  
  242. First, capture a label while your cart is running with CTRL-7. For windowed programs, the label
  243. will include a screenshot of your desktop, so make sure you don't have anything personal lying
  244. around!
  245.  
  246. You can give the cartridge some metadata (title, version, author, notes) using about:
  247.  
  248. > about /ram/cart
  249.  
  250. Hit CTRL-S to save the changes made to the label and metadata.
  251.  
  252. Then make a copy of your cartridge in .p64.png format just by copying it:
  253.  
  254. > cp mycart.p64 releaseable.p64.png
  255.  
  256. The label will be printed on the front along with the title, author and version metadata if it
  257. exists. You can check the output by opening the folder you saved to, and then double clicking
  258. on releaseable.p64.png (it is just a regular png)
  259.  
  260. > folder
  261.  
  262. Finally, go to https://www.lexaloffle.com/picotron.php?page=submit to upload the cartridge.
  263. Cartridges are not publicly listed until a BBS post has been made including the cartridge.
  264.  
  265. ----------------------------------------------------------------------------------------------------
  266. Browsing BBS Cartridges
  267. ----------------------------------------------------------------------------------------------------
  268.  
  269. Cartridges can be browsed using the bbs:// protocol from within filenav. In the Picotron menu
  270. (top left) there is an item "BBS Carts" that opens bbs:// in the root folder.
  271.  
  272. Cartridges can alternative be loaded directly from the BBS using the cartridge id:
  273.  
  274. > load #cart_id -- same as load bbs://cart_id.p64
  275.  
  276. They can also be run as if they are a local file:
  277.  
  278. > bbs://cart_id.p64
  279.  
  280. A specific version of the cart can be specified with the revision suffix:
  281.  
  282. > bbs://cart_id-0.p64
  283.  
  284. ----------------------------------------------------------------------------------------------------
  285. Exporting a Cartridge as HTML or PNG
  286. ----------------------------------------------------------------------------------------------------
  287.  
  288. Cartridges can be exported and shared as stand-alone html pages.
  289.  
  290. To export the currently loaded cartridge as a single file:
  291.  
  292. > export foo.html
  293.  
  294. View the page by opening the folder and double clicking on it:
  295.  
  296. > folder
  297.  
  298. To save a copy of the currently loaded cartridge in .p64.png format:
  299.  
  300. > export foo.p64.png
  301.  
  302. ====================================================================================================
  303. Customising your Machine
  304. ====================================================================================================
  305.  
  306. ----------------------------------------------------------------------------------------------------
  307. Desktop Customisation
  308. ----------------------------------------------------------------------------------------------------
  309.  
  310. Open the system settings via the Picotron menu (top left) or by typing "settings" at the prompt.
  311.  
  312. To create your own lists of themes, wallpapers and screensavers, create the following folders:
  313.  
  314. /appdata/system/themes
  315. /appdata/system/wallpapers
  316. /appdata/system/screensavers
  317.  
  318. Wallpapers and screensavers are regular .p64 cartridges -- you can copy anything in there that runs
  319. in fullscreen.
  320.  
  321. Widgets are programs that run in the slide-out tooltray (pull the toolbar down from the top), and
  322. are windowed programs that are not moveable and do not have a frame. To install a widget, first run
  323. it as a windowed program, adjust the window size to your liking (if it resizeable), and then drag
  324. and drop it into the tooltray. The widget will now be re-launched every time Picotron boots.
  325. Running BBS apps can be installed directly in the tooltray -- there is no need to make a local
  326. copy first.
  327.  
  328. Right-click a widget to pop in back out as a window, or to remove it.
  329.  
  330. Snap to grid mode for the desktop items can be enabled with the following command in terminal:
  331.  
  332. > store("/appdata/system/filenav.pod", {snap_to_grid=true})
  333.  
  334. ----------------------------------------------------------------------------------------------------
  335. Custom Commands
  336. ----------------------------------------------------------------------------------------------------
  337.  
  338. To create your own terminal commands, put .p64 or .lua files in /appdata/system/util.
  339.  
  340. When a command is used from commandline (e.g. "ls"), terminal first looks for it in
  341. /system/util and /system/apps, before looking in /appdata/system/util and finally the current
  342. directory for a matching .lua or .p64 file.
  343.  
  344. The present working directory when a program starts is the same directory as the program's
  345. entry point (e.g. where main.lua is, or where the stand-alone lua file is). This is normally
  346. not desireable for commandline programs, which can instead change to the directory the command
  347. was issued from using env().path. For example:
  348.  
  349. cd(env().path)
  350. print("args: "..pod(env().argv))
  351. print("pwd: "..pwd())
  352.  
  353. Save it as /appdata/system/util/foo.lua, and then run it from anywhere by typing "foo".
  354.  
  355. ----------------------------------------------------------------------------------------------------
  356. Keyboard Layout
  357. ----------------------------------------------------------------------------------------------------
  358.  
  359. Text input (using @peektext() / @readtext()) defaults to the host OS keyboard layout / text
  360. entry method.
  361.  
  362. Key states used for things like CTRL-key shortcuts (e.g. @key("ctrl") and @keyp("c")) are also
  363. mapped to the host OS keyboard layout by default, but can be further configured by creating a
  364. file called /appdata/system/keycodes.pod which assigns each keyname to a new scancode. The raw
  365. names of keys (same as US layout) can alternatively be used on the RHS of each assignment, as
  366. shown in this example that patches a US layout with AZERTY mappings:
  367.  
  368. store("/appdata/system/keycodes.pod", {a="q",z="w",q="a",w="z",m=";",[";"]=",",[","]="m"})
  369.  
  370. Note: you probably do not need need to do this! The default layout should work in most cases.
  371. Raw scancodes themselves can also be remapped in a similar way using
  372. /appdata/system/scancodes.pod, but is also normally not needed. The raw mapping is used in
  373. situations where the physical location of the key matters, such as the piano-like keyboard
  374. layout in the tracker. See /system/lib/events.lua for more details.
  375.  
  376. ----------------------------------------------------------------------------------------------------
  377. Defaults Apps
  378. ----------------------------------------------------------------------------------------------------
  379.  
  380. When opening a file via filenav or the open command, an application to open it with is selected
  381. based on the extension. To change or add the default application for an extension, use the
  382. default_app command. The following will associate files ending with ".sparkle" with the program
  383. "/apps/tools/sparklepaint.p64":
  384.  
  385. default_app sparkle /apps/tools/sparklepaint.p64
  386.  
  387. The table of associations is stored in: /appdata/system/default_apps.pod
  388.  
  389. When a bbs:// cartridge is used to create or edit a file, the location of that cartridge is
  390. stored in the file's metadata as metadata.prog. When a default app can not be found to open a
  391. file, metadata.prog is used instead when it is available.
  392.  
  393. ====================================================================================================
  394. Anywhen
  395. ====================================================================================================
  396.  
  397. Anywhen is a tool for reverting to earlier versions of cartridges that are saved to disk from
  398. inside Picotron. Every time a file is changed, Picotron records a delta between the last known
  399. version and the current one, and is able to fetch any earlier version of a cartridge as long as
  400. anywhen was active at that point in time. It can be turned off via settings.p64, but it is
  401. recommended during early alpha (0.1.*) to leave it running as it might be helpful in recovering
  402. lost data caused by bugs or lack of safety features (e.g. there is currently no confirmation
  403. required when saving over files).
  404.  
  405. ----------------------------------------------------------------------------------------------------
  406. Temporal Loading
  407. ----------------------------------------------------------------------------------------------------
  408.  
  409. To load an earlier version of a cartridge even after it has been deleted or moved, use a
  410. timestamp (written as local time) at the end of the load command:
  411.  
  412. load foo.p64@2024-04-10_12:00:00
  413.  
  414. An underscore is used between the date and time parts as spaces are not allowed in location
  415. strings.
  416.  
  417. When an earlier version from the same (local) day is needed, the date and optionally seconds
  418. parts can be omitted:
  419.  
  420. load foo.p64@12:00
  421.  
  422. Anywhen only stores changes made to files from within Picotron; it does not proactively look
  423. for changes made in external editors except when generating the first log file per day. Also,
  424. it only stores changes made to files saved to disk, and not to /ram.
  425.  
  426. ----------------------------------------------------------------------------------------------------
  427. Anywhen Storage
  428. ----------------------------------------------------------------------------------------------------
  429.  
  430. The anywhen data is stored in the same folder as the default picotron_config.txt location (type
  431. "folder /" and then go up one folder in the host OS). The history is orgnised by month, and it
  432. is safe to delete earlier month folders if they are no longer needed (but they normally
  433. shouldn't take up too much space).
  434.  
  435. ====================================================================================================
  436. Code Editor
  437. ====================================================================================================
  438.  
  439. The code editor is open on boot in the first workspace, defaulting to /ram/cart/main.lua.
  440.  
  441. Like all of the standard tools, it runs in a tabbed workspace, where each tab is a separate
  442. process editing a single file.
  443.  
  444. To open or create a file in the editor from terminal:
  445.  
  446. > code foo.lua
  447.  
  448. :: Keys
  449.  
  450. Hold shift Select (or click and drag with mouse)
  451. CTRL-X,C,V Cut copy or paste selected
  452. CTRL-Z,Y Undo, redo
  453. CTRL-F Search for text in the current tab
  454. CTRL-L Jump to a line number
  455. CTRL-W,E Jump to start or end of current line
  456. CTRL-D Duplicate current line
  457. TAB Indent a selection (SHIFT-TAB to un-indent)
  458. CTRL-B Comment / uncomment selected block
  459. SHIFT-ENTER To automatically add block end and indent
  460. CTRL-UP/DOWN Jump to start or end of file (same as CTRL-HOME/END)
  461. CTRL-CURSORS Jump left or right by word
  462.  
  463. ----------------------------------------------------------------------------------------------------
  464. Embedding Images
  465. ----------------------------------------------------------------------------------------------------
  466.  
  467. The code editor can render gfx pod snippets (e.g. copied from the gfx editor) embedded in the
  468. code. See /system/demos/carpet.p64 for an example of a diagram pasted into the source code.
  469.  
  470. Those snippets contain a header string using block comments "--[[pod_type=gfx]]", so can not
  471. appear inside the same style of block comments and still parse and run. Use variations with
  472. some matching number of ='s between the square brackets instead:
  473.  
  474. --[==[
  475. a picture:
  476. --[[pod_type="gfx"]]unpod("b64:bHo0AC4AAABGAAAA-wNweHUAQyAQEAQQLFAsIEwwTBAEAAUR3AIAUxwBfAEcBgCg3CBMEUxAPBE8IA==")
  477. ]==]
  478.  
  479. ----------------------------------------------------------------------------------------------------
  480. Using External Editors
  481. ----------------------------------------------------------------------------------------------------
  482.  
  483. The simplest way to use a text editor outside of Picotron is to store the files outside of a
  484. cartidge and then @include() them. For example, the following snippet could be used at the top
  485. of main.lua:
  486.  
  487. cd("/myproj") -- files stored in here will be accessible to the host OS text editor
  488. include("src/draw.lua") -- /myproj/src/draw.lua
  489. include("src/monster.lua") -- /myproj/src/monster.lua
  490.  
  491. Just remember to copy them to the cartridge (and comment out the "cd(...)") before releasing
  492. it!
  493.  
  494. -- the -f switch copies over any existing directory
  495. cp -f /myproj/src /ram/cart/src
  496.  
  497. As a general rule, released cartridges should be self-contained and not depend on anything
  498. except for /system.
  499.  
  500. ====================================================================================================
  501. GFX Editor
  502. ====================================================================================================
  503.  
  504. The second workspace is a sprite and general-purpose image editor. Each .gfx file contains up to
  505. 256 sprites, and if the filename starts with a number, it is automatically loaded into that bank
  506. slot and used from the map editor. See @map() and @spr() for notes about sprite indexing.
  507.  
  508. Don't forget to save your cartridge after drawing something -- the default filenames all point to
  509. /ram/cart and isn't actually stored to disk until you use the save command (or CTRL-S to save the
  510. current cartridge)
  511.  
  512. ----------------------------------------------------------------------------------------------------
  513. GFX Controls
  514. ----------------------------------------------------------------------------------------------------
  515.  
  516. SPACE Shortcut for the pan tool
  517. MOUSEWHEEL To zoom in and out
  518. S Shortcut for the select tool (hold down)
  519. CTRL-A Select all
  520. ENTER Select none
  521. CURSORS Move selection
  522. BACKSPACE Delete selection
  523. CTRL-C Copy selection
  524. CTRL-V Paste to current sprite
  525. CTRL-B Paste big (2x2)
  526. TAB Toggle RH pane
  527. -,+ Navigate sprites
  528. 1,2 Navigate colours
  529. RMB Pick up colour
  530. F/V Flip selection horizontally or vertically
  531.  
  532. ----------------------------------------------------------------------------------------------------
  533. GFX Tools
  534. ----------------------------------------------------------------------------------------------------
  535.  
  536. The drawing tools can be selected using icons under the palette:
  537.  
  538. PENCIL Draw single pixels
  539. BRUSH Draw using a fill pattern and brush shape
  540. LINE Draw a line // SHIFT to snap closest axis, diagonal, or 2:1 slope
  541. RECT Draw a rectange // SHIFT to snap to a square
  542. ELLIPSE Draw an elipse // SHIFT to snap to a circle
  543. BUCKET Fill an area
  544. STAMP Stamp a copy of the clipboard at the cursor
  545. SELECT Select a rectangular region; press Enter to remove
  546. PAN Change the camera position
  547.  
  548. RECT and ELLIPSE tools can be drawn filled by holding CTRL
  549.  
  550. ----------------------------------------------------------------------------------------------------
  551. Multiple Sprite Selections
  552. ----------------------------------------------------------------------------------------------------
  553.  
  554. To select multiple sprites at once, hold shift and click and drag in the navigator. Resizing
  555. and modifying sprite flags apply to all sprites in that region.
  556.  
  557. Each sprite has its own undo stack. Operations that modify more than one sprite at once (paste
  558. multiple, batch resize) create a checkpoint in each individual undo stack, and can only be
  559. undone once (ctrl-z) as a group immediately after the operation.
  560.  
  561. ====================================================================================================
  562. MAP Editor
  563. ====================================================================================================
  564.  
  565. The map editor uses similar shortcuts to the gfx editor, with a few changes in meaning.
  566.  
  567. The F, V and R flip and rotate selected tiles, but also set special bits on those tiles to indicate
  568. that the tile itself should also be drawn flipped /rotated. The @map() command also observes those
  569. bits.
  570.  
  571. To select a single tile (e.g. to flip it), use the picker tool (crosshair icon) or hold S for the
  572. section tool and use right mouse button. When there is no selection, F, V, R can also be used to
  573. set the bits on the curret item before it is placed.
  574.  
  575. Sprite 0 means "empty", and that tile is not drawn. The default sprite 0 is a small white x to
  576. indicate that it is reserved with that special meaning. This can be disabled; see @map() for notes.
  577.  
  578. ----------------------------------------------------------------------------------------------------
  579. Map Layers
  580. ----------------------------------------------------------------------------------------------------
  581.  
  582. Each map file can contain multiple layers which are managed at the top right using the add layer
  583. ("+") button and the delete (skull icon) button. Currently only a single undo step is available
  584. when deleting layers, so be careful!
  585.  
  586. Layers can be re-ordered using the up and down arrow icon buttons, named using the pencil icon
  587. button, and hidden using the toggle button that looks like an eye.
  588.  
  589. Each layer can have its own size, and is drawn in the map editor centered.
  590.  
  591. ----------------------------------------------------------------------------------------------------
  592. Tile Sizes
  593. ----------------------------------------------------------------------------------------------------
  594.  
  595. A global tile size is used for all layers of a map file, taken from the size of sprite 0. The width
  596. and height do not need to match.
  597.  
  598. Sprites that do not match the global tile size are still drawn, but stretched to fill the target
  599. size using something equivalent to a @sspr() call.
  600.  
  601. ====================================================================================================
  602. SFX Editor
  603. ====================================================================================================
  604.  
  605. The SFX editor can be used to create instruments, sound effects (SFX), and music (SFX arranged into
  606. "patterns").
  607.  
  608. Each of these has their own editing mode that can be switched between by pressing TAB, or by
  609. clicking on the relevant navigator header on the left. Instruments can also be edited by
  610. CTRL-clicking on them, and SFX and pattern items always jump to their editing modes when clicked.
  611.  
  612. In the SFX and pattern editing modes, press SPACE to play the current SFX or pattern, and SPACE
  613. again to stop it.
  614.  
  615. Picotron has a specialised audio component called PFX6416 used to generate all sound. It takes a
  616. block of RAM as input (containing the instrument, track and pattern definitions). The .sfx file
  617. format is simply a 256k memory dump of that section of ram starting at 0x30000.
  618.  
  619. ----------------------------------------------------------------------------------------------------
  620. Instrument Editor
  621. ----------------------------------------------------------------------------------------------------
  622.  
  623. An instrument is a mini-synthesizer that generates sound each time a note is played. It is made
  624. from a tree of up to 8 nodes, each of which either generates, modifies or mixes an audio
  625. signal.
  626.  
  627. For example, a bass pluck instrument might have a white noise OSC node that fades out rapidly,
  628. plus a saw wave OSC node that fades out more slowly.
  629.  
  630. The default instrument is a simple triangle wave. To adjust the waveform used, click and drag
  631. the "WAVE" knob. In many cases this is all that is needed, but the instrument editor can
  632. produce a variety of sounds given some experimentation. Alternatively, check the BBS for some
  633. instruments that you can copy and paste to get started!
  634.  
  635. :: Structure
  636.  
  637. The root node at the top is used to control general attributes of the instrument. It has an
  638. instrument name field (up to 16 chars), and toggle boxes RETRIG (reset every time it is
  639. played), and WIDE (give child nodes separate stereo outputs).
  640.  
  641. To add a node, use one of the buttons on the top right of the parent:
  642.  
  643. +OSC: Add an oscillator (sound generator) to the parent.
  644. +MOD: Modulate the parent signal using either frequency modulation or ring modulation.
  645. +FX: Modify the parent signal with a FILTER, ECHO, or SHAPE effect.
  646.  
  647. An instrument that has two oscillators, each with their own FX applied to it before sending
  648. to the mix might look like this:
  649.  
  650. ROOT
  651. OSC
  652. FX:FILTER
  653. OSC
  654. FX:ECHO
  655.  
  656. During playback, the tree is evaluated from leaves to root. In this case, first the FX
  657. nodes are each applied to their parents, and then the two OSCs are mixed together to
  658. produce the output signal for that instrument.
  659.  
  660. Sibling nodes (a group with the same parent) can be reordered using the up and down
  661. triangle buttons. When a node is moved, it brings the whole sub-tree with it (e.g. if
  662. there is a filter attached to it, it will remain attached). Likewise, deleting a node will
  663. also delete all of its children.
  664.  
  665. :: Node Parameters
  666.  
  667. The parameters for each node (VOL, TUNE etc) can be adjusted by clicking and dragging the
  668. corresponding knob. Each knob has two values that define a range used by @Envelopes; use
  669. the left and right mouse button to adjust the upper and lower bounds, and the range
  670. between them will light up as a pink arc inside the knob.
  671.  
  672. :: Parameter Operators
  673.  
  674. Parameters can be evaluated relative to their parents. For example, a node might use a
  675. tuning one octave higher than its parent, in which case the TUNE will be "+ 12". The
  676. operator can be changed by clicking to cycle through the available operators for that knob:
  677. + means add, * means multiply by parent.
  678.  
  679. :: Parameter Multipliers
  680.  
  681. Below the numeric value of each knob there is a hidden multiplier button. Click it to cycle
  682. between *4, /4 and none. This can be used to alter the scale of that knobs's values. For
  683. example, using *4 on the BEND knob will give a range of -/+ 1 tone instead of -/+ 1/2
  684. semitone. There are more extreme multipliers available using CTRL-click (*16, *64), which
  685. can produce extremely noisey results in some cases.
  686.  
  687. The default parameter space available in the instrument designer (without large multipliers)
  688. shouldn't produce anything too harsh, but it is still possible to produce sounds that will
  689. damage your eardrums especially over long periods of time. Please consider taking off your
  690. headphones and/or turning down the volume when experimenting with volatile sounds!
  691.  
  692. :: Wide Instruments
  693.  
  694. By default, instruments are rendered to a mono buffer that is finally split and mixed to each
  695. stereo channel based on panning position. To get stereo separation of voices within an
  696. instrument, WIDE mode can be used. It is a toggle button in the root node at the top of the
  697. instrument editor.
  698.  
  699. When WIDE mode is enabled, OSC nodes that are children of ROOT node have their own stereo
  700. buffers and panning position. FX nodes that are attached to ROOT are also split into 2
  701. separate nodes during playback: one to handle each channel. This can give a much richer sound
  702. and movement between channels, at the cost of such FX nodes costing double towards the channel
  703. maximum (8) and global maxmimum (64).
  704.  
  705. ----------------------------------------------------------------------------------------------------
  706. Instrument Nodes
  707. ----------------------------------------------------------------------------------------------------
  708.  
  709. :: OSC
  710.  
  711. There is only one type of oscillator (OSC), which reads data from a table of waveforms (a
  712. "wavetable"), where each entry in the table stores a short looping waveform. Common
  713. waveforms such as sine wave and square wave are all implemented in this way rather than
  714. having special dedicated oscillator types.
  715.  
  716. VOL volume of a node's output
  717. PAN panning position
  718. TUNE pitch in semitones (48 is middle C)
  719. BEND fine pitch control (-,+ 1/2 semitone)
  720. WAVE position in wavetable. e.g. sin -> tri -> saw
  721. PHASE offset of wave sample
  722.  
  723. :: Generating Noise
  724.  
  725. Noise is also implemented as a wavetable containing a single entry of a random sample of
  726. noise. Every process starts with 64k of random numbers at 0xf78000 that is used to form
  727. WT-1. Click the wavetable index (WT-0) in the oscilloscope to cycle through the 4
  728. wavetables. WT-2 and WT-3 are unused by default.
  729.  
  730. At higher pitches, the fact that the noise is a repeating loop is audible. A cheap way to
  731. add more variation is to set the BEND knob's range to -/+ maximum and then assign an
  732. envelope to it. An @LFO (freq:~40) or @DATA envelope (LP1:16, LERP:ON, scribble some noisey
  733. data points) both work well.
  734.  
  735. :: FM MOD
  736.  
  737. A frequency modulator can be added to any oscillator. This produces a signal in the same
  738. way as a regular oscillator, but instead of sending the result to the mix, it is used to
  739. rapidly alter the pitch of its parent OSC.
  740.  
  741. For example, a sine wave that is modulating its parent OSC at a low frequency will sound
  742. like vibrato (quickly bending the pitch up and down by 1/4 of a semitone or so). The volume
  743. of the FM MOD signal determines the maximum alteration of pitch in the parent.
  744.  
  745. As the modulating frequency (the TUNE of the FM:MOD) increases, the changes in pitch of the
  746. parent OSC are too fast to hear and are instead perceived as changes in timbre, or the
  747. "colour" of the sound.
  748.  
  749. :: RING MOD
  750.  
  751. Similar to FM, but instead of modulating frequency, RING MOD modulates amplitude: the
  752. result of this oscillator is multiplied by its parent. At low frequencies, this is
  753. perceived as fluctuation in the parent's volume and gives a temelo-like effect.
  754.  
  755. // The name "ring" comes from the original implementation in analogue circuits, which uses
  756. a ring of diodes.
  757.  
  758. :: FILTER FX
  759.  
  760. The filter FX node can be used to filter low or high frequencies, or used in combination to
  761. keep only mid-range frequencies. Both LOW and HIGH knobs do nothing at 0, and remove all
  762. frequencies when set to maximum.
  763.  
  764. >
  765. LOW Low pass filter
  766. HIGH High pass filter
  767. RES Resonance for the LPF
  768.  
  769. :: ECHO FX
  770.  
  771. Copy the signal back over itself from some time in the past, producing an echo effect. At
  772. very short DELAY values this can also be used to modify the timbre, giving a string or
  773. wind instrument feeling. At reasonably short delays (and layered with a second echo node)
  774. it can be used to approximate reverb.
  775.  
  776. DELAY How far back to copy from; max is around 3/4 of a second
  777. VOL The relative volume of the duplicated siginal. 255 means no decay at all (!)
  778.  
  779. A global maximum of 16 echo nodes can be active at any one time. Echo only applies while
  780. the instrument is active; swtiching to a different instrument on a given channel resets the
  781. echo buffer.
  782.  
  783. :: SHAPE FX
  784.  
  785. Modify the shape of the signal by running the amplitude through a gain function. This can
  786. be used to control clipping, or to produce distortion when a low CUT (and high MIX) value
  787. is used. CUT is an absolute value, so the response of the shape node is sensitive to the
  788. volume of the input signal.
  789.  
  790. GAIN Multiply the amplitude
  791. ELBOW Controls the gradient above CUT. 64 means hard clip. > 64 for foldback!
  792. CUT The amplitude threshold above which shaping should take effect
  793. MIX Level of output back into the mix (64 == 1.0)
  794.  
  795. ----------------------------------------------------------------------------------------------------
  796. Envelopes
  797. ----------------------------------------------------------------------------------------------------
  798.  
  799. Envelopes (on the right of the instrument designer) can be used to alter the value of a node
  800. parameter over time. For example, an oscillator might start out producing a triangle wave and
  801. then soften into a sine wave over 1 second. This is achieved by setting an upper and lower
  802. value for the WAVE knob (see @Node_Parameters), and then assigning an evelope that moves the
  803. parameter within that range over time.
  804.  
  805. To assign an envelope to a particular node parameter, drag the "ENV-n" label and drop it onto
  806. the knob. Once an envelope has been assigned, it will show up as a blue number on the right of
  807. the knob's numeric field. Click again remove it, or right click it to toggle "continue" mode
  808. (three little dots) which means the envelope is not reset each time the instrument is
  809. triggered.
  810.  
  811. When an envelope is evaluated, it takes the time in ticks from when the instrument started
  812. playing (or when it was retriggered), and returns a value from 0 to 1.0 which is then mapped to
  813. the knob's range of values.
  814.  
  815. Click on the type to cycle through the three types:
  816.  
  817. :: ADSR
  818.  
  819. ADSR (Attack Decay Sustain Release) envelopes are a common way to describe the change in volume
  820. in response to a note being played, held and released.
  821.  
  822. When the note is played, the envelope ramps up from 0 to maximum and then falls back down to a
  823. "sustain" level which is used until the note is released, at which point it falls back down to
  824. 0.
  825.  
  826. ............................. 255 knob max
  827. /\
  828. / \
  829. / \______ ....... S sustain level
  830. / \
  831. / \
  832. ../................\......... 0 knob min
  833.  
  834. |-----|--| |--|
  835. A D R
  836.  
  837. Attack: How long to reach maximum. Larger values mean fade in slowly.
  838. Decay: How long to fall back down to sustain level
  839. Sustain: Stay on this value while the note is held
  840. Release: How long to fall down to 0 from current value after release
  841.  
  842. For a linear fade in over 8 ticks, use: 8 0 255 0
  843.  
  844. For a linear fade out over 8 ticks: 0 8 0 0
  845.  
  846. The duration values are not linear. 0..8 maps to 0..8 ticks, but after that the actual
  847. durations start jumping up faster. 128 means around 5.5 seconds and 255 means around 23
  848. seconds.
  849.  
  850. :: LFO
  851.  
  852. Low frequency oscillator. Returns values from a sine wave with a given phase and frequency.
  853.  
  854. freq: duration to repeat // 0 == track speed
  855. phase: phase offset
  856.  
  857. :: DATA
  858.  
  859. A custom envelope shape defined by 16 values. Indexes that are out of range return 0.
  860.  
  861. LERP: lerp smoothly between values instead of jumping
  862. RND: choose a random starting point between 0 and T0 (tick 0 .. T0*SPD-1)
  863. SPD: duration of each index // 0 == track speed
  864. LP0: loop back to this index (0..)
  865. LP1: loop back to LP0 just before reaching this index when note is held
  866. T0: starting index (when RND is not checked)
  867.  
  868. These attributes that control playback of data envelopes are also available to ADSR and LFO,
  869. accessible via the fold-out button that looks like three grey dots.
  870.  
  871. :: Random Values
  872.  
  873. This is not an envelope, but works in a similar way. Right clicking on an envelope button (to
  874. the right of the knob's numeric field) when no envelope is assigned toggles random mode. When
  875. this mode is active, a pink R is shown in that spot, and a random value within the knob's range
  876. is used every time the instrument is triggered. This can be used to produce chaotic unexpected
  877. sounds that change wildly on every playthrough, or subtle variation to things like drum hits
  878. and plucks for a more natural sound.
  879.  
  880. ----------------------------------------------------------------------------------------------------
  881. Track Editor
  882. ----------------------------------------------------------------------------------------------------
  883.  
  884. A single track (or "SFX") is a sequence of up to 64 notes that can be played by the @sfx()
  885. function.
  886.  
  887. SFX can be be played slowly as part of a musical pattern, or more quickly to function as a
  888. sound effect. The SPD parameter determines how many ticks (~1/120ths of a second) to play each
  889. row for.
  890.  
  891. Each row of a track has a pitch (C,C#,D..), instrument, volume, effect, and effect parameter.
  892. Instrument and volume are written in hexadecimal (instrument "1f" means 31 in decimal). Volume
  893. 0x40 (64) means 100% volume, but larger values can be used.
  894.  
  895. The pitch, instrument and volume can each be set to "none" (internally: 0xff) by typing a dot
  896. ("."). This means that the channel state is not touched for that attribute, and the existing
  897. value carries over.
  898.  
  899. An instrument's playback state is reset (or "retriggered") each time the instrument index is
  900. set, and either the pitch or instrument changes. When RETRIG flag is set on the instrument
  901. (node 0), only the instrument attribute index to be set for it to retrigger, even if the pitch
  902. is the same as the previous row (e.g. for a hihat played on every row at the same pitch).
  903.  
  904. :: Pitch Entry
  905.  
  906. Notes can be entered using a workstation keyboard using a layout similar to a musical keyboard.
  907. For a QWERTY keyboard, the 12 notes C..B can be played with the following keys (the top row are
  908. the black keys):
  909.  
  910. 2 3 5 6 7
  911. Q W E R T Y U
  912.  
  913. An additional octave is also available lower down on the keyboard:
  914.  
  915. S D G H J
  916. Z X C V B N M
  917.  
  918. Use these keys to preview an instrument, or to enter notes in the SFX or pattern editing modes.
  919.  
  920. Notes are played relative to the global octave (OCT) and volume (VOL) sliders at the top left.
  921.  
  922. Some instruments do not stop playing by themselves -- press SPACE in any editor mode to kill
  923. any active sound generation.
  924.  
  925. :: Effects
  926.  
  927. Each effect command takes either a single 8-bit parameter or two 4-bit parameters.
  928.  
  929. PICO-8 effects 1..7 can be entered in the tracker using numbers, but are replaced with s, v, -,
  930. <, >, a and b respectively. The behaviour for those effects matches PICO-8 when the parameter
  931. is 0x00 (for example, a-00 uses pitches from the row's group of 4).
  932.  
  933. s slide to note (speed)
  934. v vibrato (speed, depth)
  935. - slide down from note (speed)
  936. + slide up from note (speed)
  937. > fade out (end_%, speed)
  938. a fast arp (pitch0, pitch1)
  939. b slow arp (pitch0, pitch1)
  940. t tremelo (speed, depth)
  941. w wibble (speed, depth) // v + t
  942. r retrigger (every n ticks)
  943. d delayed trigger (after n ticks)
  944. c cut (after n ticks)
  945. p set channel panning offset
  946.  
  947. The meaning of "speed" varies, but higher is faster except for 0 which means "fit to track
  948. speed".
  949.  
  950. Arpeggio pitches are in number of semitones above the channel pitch.
  951.  
  952. ----------------------------------------------------------------------------------------------------
  953. Pattern Editor
  954. ----------------------------------------------------------------------------------------------------
  955.  
  956. A pattern is a group of up to 8 tracks that can be played with the @music() function.
  957.  
  958. Click on the toggle button for each track to activate it, and drag the value to select which
  959. SFX index to assign to it.
  960.  
  961. SFX items can also be dragged and dropped from the navigator on the left into the desired
  962. channel.
  963.  
  964. The toggle buttons at the top right of each pattern control playback flow, which is also
  965. observed by @music():
  966.  
  967. loop0 (right arrow): loop back to this pattern
  968. loop1 (left arrow): loop back to loop0 after finishing this pattern
  969. stop (square): stop playing after this pattern has completed
  970.  
  971. Tracks within the same pattern have different can lengths and play at different speeds. The
  972. duration of the pattern is taken to be the duration (spd * length) of the left-most,
  973. non-looping track.
  974.  
  975. ====================================================================================================
  976. Picotron Lua
  977. ====================================================================================================
  978.  
  979. Picotron uses a slightly extended version of Lua 5.4, and most of the standard Lua libraries
  980. are available. For more details, or to find out about Lua, see www.lua.org.
  981.  
  982. The following is a primer for getting started with Lua syntax.
  983.  
  984. :: Comments
  985.  
  986. -- use two dashes like this to write a comment
  987. --[[ multi-line
  988. comments ]]
  989.  
  990. To create nested multi-line comments, add a matching number of ='s between the opening and
  991. closing square brackets:
  992.  
  993. --[===[
  994. --[[
  995. this comment can appear inside another multi-line comment
  996. ]]
  997. ]===]
  998.  
  999. :: Types and assignment
  1000.  
  1001. Types in Lua are numbers, strings, booleans, tables, functions and nil:
  1002.  
  1003. num = 12/100
  1004. s = "this is a string"
  1005. b = false
  1006. t = {1,2,3}
  1007. f = function(a) print("a:"..a) end
  1008. n = nil
  1009.  
  1010. Numbers can be either doubles or 64-bit integers, and are converted automatically between the
  1011. two when needed.
  1012.  
  1013. :: Conditionals
  1014.  
  1015. if not b then
  1016. print("b is false")
  1017. else
  1018. print("b is not false")
  1019. end
  1020.  
  1021. -- with elseif
  1022.  
  1023. if x == 0 then
  1024. print("x is 0")
  1025. elseif x < 0 then
  1026. print("x is negative")
  1027. else
  1028. print("x is positive")
  1029. end
  1030.  
  1031. if (4 == 4) then print("equal") end
  1032. if (4 ~= 3) then print("not equal") end
  1033. if (4 <= 4) then print("less than or equal") end
  1034. if (4 > 3) then print("more than") end
  1035.  
  1036. :: Loops
  1037.  
  1038. Loop ranges are inclusive:
  1039.  
  1040. for x=1,5 do
  1041. print(x)
  1042. end
  1043. -- prints 1,2,3,4,5
  1044.  
  1045. x = 1
  1046. while(x <= 5) do
  1047. print(x)
  1048. x = x + 1
  1049. end
  1050.  
  1051. for x=1,10,3 do print(x) end -- 1,4,7,10
  1052.  
  1053. for x=5,1,-2 do print(x) end -- 5,3,1
  1054.  
  1055. :: Functions and Local Variables
  1056.  
  1057. Variables declared as local are scoped to their containing block of code (for example, inside a
  1058. function, for loop, or if then end statement).
  1059.  
  1060. y=0
  1061. function plusone(x)
  1062. local y = x+1
  1063. return y
  1064. end
  1065. print(plusone(2)) -- 3
  1066. print(y) -- still 0
  1067.  
  1068. :: Tables
  1069.  
  1070. In Lua, tables are a collection of key-value pairs where the key and value types can both be
  1071. mixed. They can be used as arrays by indexing them with integers.
  1072.  
  1073. a={} -- create an empty table
  1074. a[1] = "blah"
  1075. a[2] = 42
  1076. a["foo"] = {1,2,3}
  1077.  
  1078. Arrays use 1-based indexing by default:
  1079.  
  1080. > a = {11,12,13,14}
  1081. > print(a[2]) -- 12
  1082.  
  1083. But if you prefer 0-based arrays, just write something the zeroth slot (or use the @Userdata):
  1084.  
  1085. > a = {[0]=10,11,12,13,14}
  1086.  
  1087. Tables with 1-based integer indexes are special though. The length of such a table can be found
  1088. with the # operator, and Picotron uses such arrays to implement @add, @del, @deli, @all and
  1089. @foreach functions.
  1090.  
  1091. > print(#a) -- 4
  1092. > add(a, 15)
  1093. > print(#a) -- 5
  1094.  
  1095. Indexes that are strings can be written using dot notation
  1096.  
  1097. player = {}
  1098. player.x = 2 -- is equivalent to player["x"]
  1099. player.y = 3
  1100.  
  1101. See the @{Table_Functions} section for more details.
  1102.  
  1103. :: Picotron Shorthand
  1104.  
  1105. Picotron offers some shorthand forms following PICO-8's dialect of Lua, that are not standard
  1106. Lua.
  1107.  
  1108. :: Shorthand If / while statements
  1109.  
  1110. "if .. then .. end" statements, and "while .. then .. end" can be written on a single line:
  1111.  
  1112. if (not b) i=1 j=2
  1113.  
  1114. Is equivalent to:
  1115.  
  1116. if not b then i=1 j=2 end
  1117.  
  1118. Note that brackets around the short-hand condition are required, unlike the expanded version.
  1119.  
  1120. :: Shorthand Assignment Operators
  1121.  
  1122. Shorthand assignment operators can also be used if the whole statement is on one line. They can
  1123. be constructed by appending a '=' to any binary operator, including arithmetic (+=, -= ..),
  1124. bitwise (&=, |= ..) or the string concatenation operator (..=)
  1125.  
  1126. a += 2 -- equivalent to: a = a + 2
  1127.  
  1128. :: != operator
  1129.  
  1130. Not shorthand, but Picotron also accepts != instead of ~= for "not equal to"
  1131.  
  1132. print(1 != 2) -- true
  1133. print("foo" == "foo") -- true (string are interned)
  1134.  
  1135. ----------------------------------------------------------------------------------------------------
  1136. Program Stucture
  1137. ----------------------------------------------------------------------------------------------------
  1138.  
  1139. A Picotron program can optionally provide 3 functions:
  1140.  
  1141. function _init()
  1142. -- called once just before the main loop
  1143. end
  1144. function _update()
  1145. -- called 60 times per second
  1146. end
  1147. function _draw()
  1148. -- called each time the window manager asks for a frame
  1149. -- (normally 60, 30 or 20 times per second)
  1150. end
  1151.  
  1152. ====================================================================================================
  1153. API Reference
  1154. ====================================================================================================
  1155.  
  1156. ----------------------------------------------------------------------------------------------------
  1157. Graphics
  1158. ----------------------------------------------------------------------------------------------------
  1159.  
  1160. Graphics operations all respect the current @clip rectangle, @camera position, fill pattern
  1161. @fillp(), draw @color, @Colour_Tables and @Masks.
  1162.  
  1163.  
  1164. clip(x, y, w, h, [clip_previous])
  1165.  
  1166. sets the clipping rectangle in pixels. all drawing operations will be clipped to the
  1167. rectangle at x, y with a width and height of w,h.
  1168.  
  1169. clip() to reset.
  1170.  
  1171. when clip_previous is true, clip the new clipping region by the old one.
  1172.  
  1173.  
  1174. pset(x, y, [col])
  1175.  
  1176. sets the pixel at x, y to colour index col (0..63).
  1177.  
  1178. when col is not specified, the current draw colour is used.
  1179.  
  1180. for y=0,127 do
  1181. for x=0,127 do
  1182. pset(x, y, x*y/8)
  1183. end
  1184. end
  1185.  
  1186.  
  1187. pget(x, y)
  1188.  
  1189. returns the colour of a pixel on the screen at (x, y).
  1190.  
  1191. while (true) do
  1192. x, y = rnd(128), rnd(128)
  1193. dx, dy = rnd(4)-2, rnd(4)-2
  1194. pset(x, y, pget(dx+x, dy+y))
  1195. end
  1196.  
  1197. when x and y are out of bounds, pget returns 0.
  1198.  
  1199.  
  1200. sget(x, y)
  1201.  
  1202. sset(x, y, [col])
  1203.  
  1204. get or set the colour (col) of a sprite sheet pixel.
  1205.  
  1206. when x and y are out of bounds, sget returns 0.
  1207.  
  1208.  
  1209. fget(n, [f])
  1210.  
  1211. fset(n, [f], val)
  1212.  
  1213. get or set the value (val) of sprite n's flag f.
  1214.  
  1215. f is the flag index 0..7.
  1216.  
  1217. val is true or false.
  1218.  
  1219. the initial state of flags 0..7 are settable in the sprite editor, so can be used to create
  1220. custom sprite attributes. it is also possible to draw only a subset of map tiles by
  1221. providing a mask in @map().
  1222.  
  1223. when f is omitted, all flags are retrieved/set as a single bitfield.
  1224.  
  1225. fset(2, 1 | 2 | 8) -- sets bits 0,1 and 3
  1226. fset(2, 4, true) -- sets bit 4
  1227. print(fget(2)) -- 27 (1 | 2 | 8 | 16)
  1228.  
  1229.  
  1230. print(str, x, y, [col])
  1231.  
  1232. print(str, [col])
  1233.  
  1234. print a string str and optionally set the draw colour to col.
  1235.  
  1236. shortcut: written on a single line, ? can be used to call print without brackets:
  1237.  
  1238. ?"hi"
  1239.  
  1240. when x, y are not specified, a newline is automatically appended. this can be omitted by
  1241. ending the string with an explicit termination control character:
  1242.  
  1243. ?"the quick brown fox\0"
  1244.  
  1245. additionally, when x, y are not specified, printing text below 122 causes the console to
  1246. scroll. this can be disabled during runtime with poke(0x5f36,0x40).
  1247.  
  1248. print returns the right-most x position that occurred while printing. this can be used to
  1249. find out the width of some text by printing it off-screen:
  1250.  
  1251. w = print("hoge", 0, -20) -- returns 16
  1252.  
  1253.  
  1254. cursor(x, y, [col])
  1255.  
  1256. set the cursor position.
  1257.  
  1258. if col is specified, also set the current colour.
  1259.  
  1260.  
  1261. color([col])
  1262.  
  1263. set the current colour to be used by shape drawing functions (pset, circ, rect..), when one
  1264. is not given as the last argument.
  1265.  
  1266. if col is not specified, the current colour is set to 6.
  1267.  
  1268.  
  1269. cls([col])
  1270.  
  1271. clear the screen and reset the clipping rectangle.
  1272.  
  1273. col defaults to 0 (black)
  1274.  
  1275.  
  1276. camera([x, y])
  1277.  
  1278. set a screen offset of -x, -y for all drawing operations
  1279.  
  1280. camera() to reset
  1281.  
  1282.  
  1283. circ(x, y, r, [col])
  1284.  
  1285. circfill(x, y, r, [col])
  1286.  
  1287. draw a circle or filled circle at x,y with radius r
  1288.  
  1289. if r is negative, the circle is not drawn.
  1290.  
  1291. When bit 0x800000000 in col is set, circfill draws inverted (everything outside the circle
  1292. is drawn).
  1293.  
  1294.  
  1295. oval(x0, y0, x1, y1, [col])
  1296.  
  1297. ovalfill(x0, y0, x1, y1, [col])
  1298.  
  1299. draw an oval that is symmetrical in x and y (an ellipse), with the given bounding
  1300. rectangle.
  1301.  
  1302. When bit 0x800000000 in col is set, ovalfill is drawn inverted.
  1303.  
  1304.  
  1305. line(x0, y0, [x1, y1, [col]])
  1306.  
  1307. draw a line from (x0, y0) to (x1, y1)
  1308.  
  1309. if (x1, y1) are not given, the end of the last drawn line is used.
  1310.  
  1311. line() with no parameters means that the next call to line(x1, y1) will only set the end
  1312. points without drawing.
  1313.  
  1314. function _draw()
  1315. cls()
  1316. line()
  1317. for i=0,6 do
  1318. line(64+cos(t()+i/6)*20, 64+sin(t()+i/6)*20, 8+i)
  1319. end
  1320. end
  1321.  
  1322.  
  1323. rect(x0, y0, x1, y1, [col])
  1324.  
  1325. rectfill(x0, y0, x1, y1, [col])
  1326.  
  1327. draw a rectangle or filled rectangle with corners at (x0, y0), (x1, y1).
  1328.  
  1329. When bit 0x800000000 in col is set, rectfill draws inverted.
  1330.  
  1331.  
  1332. pal(c0, c1, [p])
  1333.  
  1334. pal() swaps colour c0 for c1 for one of three palette re-mappings (p defaults to 0):
  1335.  
  1336. 0: draw palette
  1337.  
  1338. The draw palette re-maps colours when they are drawn. For example, an orange flower
  1339. sprite can be drawn as a red flower by setting the 9th palette value to 8:
  1340.  
  1341. pal(9,8) -- draw subsequent orange (colour 9) pixels as red (colour 8)
  1342. spr(1,70,60) -- any orange pixels in the sprite will be drawn with red instead
  1343.  
  1344. Changing the draw palette does not affect anything that was already drawn to the
  1345. screen.
  1346.  
  1347. 1: display palette
  1348.  
  1349. The display palette re-maps the whole screen when it is displayed at the end of a
  1350. frame.
  1351.  
  1352.  
  1353. palt(c, is_transparent)
  1354.  
  1355. Set transparency for colour index c to is_transparent (boolean) transparency is observed by
  1356. @spr(), @sspr(), @map() and @tline3d()
  1357.  
  1358. palt(8, true) -- red pixels not drawn in subsequent sprite/tline draw calls
  1359.  
  1360. When c is the only parameter, it is treated as a bitfield used to set all 64 values. for
  1361. example: to set colours 0 and 1 as transparent:
  1362.  
  1363. -- set colours 0,1 and 4 as transparent
  1364. palt(0x13)
  1365.  
  1366. palt() resets to default: all colours opaque except colour 0. Same as palt(1)
  1367.  
  1368.  
  1369. spr(s, x, y, [flip_x], [flip_y])
  1370.  
  1371. Draw sprite s at position x,y
  1372.  
  1373. s can be either a userdata (type "u8" -- see @Userdata) or sprite index (0..255 for bank 0
  1374. (gfx/0.gfx), 256..511 for bank 1 (gfx/1.gfx) etc).
  1375.  
  1376. Colour 0 drawn as transparent by default (see @palt())
  1377.  
  1378. When flip_x is true, flip horizontally. When flip_y is true, flip vertically.
  1379.  
  1380.  
  1381. sspr(s, sx, sy, sw, sh, dx, dy, [dw, dh], [flip_x], [flip_y]]
  1382.  
  1383. Stretch a source rectangle of sprite s (sx, sy, sw, sh) to a destination rectangle on the
  1384. screen (dx, dy, dw, dh). In both cases, the x and y values are coordinates (in pixels) of
  1385. the rectangle's top left corner, with a width of w, h.
  1386.  
  1387. s can be either a userdata (type "u8") or the sprite index.
  1388.  
  1389. Colour 0 drawn as transparent by default (see @palt())
  1390.  
  1391. dw, dh defaults to sw, sh.
  1392.  
  1393. When flip_x is true, flip horizontally. When flip_y is true, flip vertically.
  1394.  
  1395.  
  1396. get_spr(index)
  1397.  
  1398. set_spr(index, ud)
  1399.  
  1400. Get or set the sprite (a 2d userdata object of type "u8") for a given index (0..8191).
  1401.  
  1402. When a cartridge is run, files in gfx/ that start with an integer (0..31) are automatically
  1403. loaded if they exist. Each file has 256 sprites indexes, so the sprites in gfx/0.gfx are
  1404. given indexes 0..255, the sprites in gfx/1.gfx are given indexes 256..511, and so on up to
  1405. gfx/31.gfx (7936..8191).
  1406.  
  1407.  
  1408. fillp(p)
  1409.  
  1410. Set a 4x4 fill pattern using PICO-8 style fill patterns. p is a bitfield in reading order
  1411. starting from the highest bit.
  1412.  
  1413. Observed by @circ() @circfill() @rect() @rectfill() @oval() @ovalfill() @pset() @line()
  1414.  
  1415. Fill patterns in Picotron are 64-bit specified 8 bytes from 0x5500, where each byte is a
  1416. row (top to bottom) and the low bit is on the left. To define an 8x8 with high bits on the
  1417. right (so that binary numbers visually match), fillp can be called with 8 arguments:
  1418.  
  1419. fillp(
  1420. 0b10000000,
  1421. 0b01011110,
  1422. 0b00101110,
  1423. 0b00010110,
  1424. 0b00001010,
  1425. 0b00000100,
  1426. 0b00000010,
  1427. 0b00000001
  1428. )
  1429. circfill(240,135,50,9)
  1430.  
  1431. Two different colours can be specified in the last parameter
  1432.  
  1433. circfill(320,135,50,0x1c08) -- draw with colour 28 (0x1c) and 8
  1434.  
  1435. To get transparency while drawing shapes, the shape target mask (see @Masks) should be set:
  1436.  
  1437. poke(0x550b,0x3f)
  1438. palt()
  1439. --> black pixels won't be drawn
  1440.  
  1441. :: Colour Tables
  1442.  
  1443. Colour tables are applied by all graphics operations when each pixel is drawn. Each one is
  1444. a 64x64 lookup table indexed by two colours:
  1445.  
  1446. 1. the colour to be drawn (0..63)
  1447. 2. the colour at the target pixel (0..63)
  1448.  
  1449. Each entry is then the colour that should be drawn. So for example, when drawing a black
  1450. (0) pixel on a red (8) pixel, the colour table entry for that combination might also be red
  1451. (in effect, making colour 0 transparent).
  1452.  
  1453. Additionally, one of four colour tables can be selected using the upper bits 0xc0 of either
  1454. the source or destination pixel. Using custom colour table data and selection bits allows
  1455. for a variety of effects including overlapping shadows, fog, tinting, additive blending,
  1456. and per-pixel clipping. Functions like @pal() and @palt() also modify colour tables to
  1457. implement transparency and colour switching.
  1458.  
  1459. Colour tables and masks are quite low level and normally can be ignored! For more details, see:
  1460. https://www.lexaloffle.com/dl/docs/picotron_gfx_pipeline.html
  1461.  
  1462. :: Masks
  1463.  
  1464. When each pixel is drawn, three masks are also used to determine the output colour. The
  1465. draw colour (or pixel colour in the case of a sprite) is first ANDed with the read mask.
  1466. The colour of the pixel that will be overwritten is then ANDed by the target mask. These
  1467. two values are then used as indexes into a colour table to get the output colour. Finally,
  1468. the write mask determines which bits in the draw target will actually be modified.
  1469.  
  1470. 0x5508 read mask
  1471. 0x5509 write mask
  1472. 0x550a target mask for sprites
  1473. 0x550b target_mask for shapes
  1474.  
  1475. The default values are: 0x3f, 0x3f, 0x3f and 0x00. 0x3f means that colour table selection
  1476. bits are ignored (always use colour table 0), and the 0x00 for shapes means that the target
  1477. pixel colour is ignored so that it is possible to draw a black rectangle with colour 0 even
  1478. though that colour index is transparent by default.
  1479.  
  1480. The following program uses only the write mask to control which bits of the draw target are
  1481. written. Each circle writes to 1 of the 5 bits: 0x1, 0x2, 0x4, 0x8 and 0x10. When they are
  1482. all overlapping, all 5 bits are set giving colour 31.
  1483.  
  1484. function _draw()
  1485. cls()
  1486. for i=0,4 do
  1487. -- draw to a single bit
  1488. poke(0x5509, 1 << i)
  1489. r=60+cos(t()/4)*40
  1490. x = 240+cos((t()+i)/5)*r
  1491. y = 135+sin((t()+i)/5)*r
  1492. circfill(x, y, 40, 1 << i)
  1493. end
  1494. end
  1495.  
  1496. ----------------------------------------------------------------------------------------------------
  1497. Map
  1498. ----------------------------------------------------------------------------------------------------
  1499.  
  1500. A map in Picotron is a 2d userdata of type i16. Each value refers to a single sprite in the
  1501. "sprite registry" (see @get_spr, @set_spr), which can hold up to 8192 sprites.
  1502.  
  1503. The default tile width and height are set to match sprite 0.
  1504.  
  1505. The bits in each cel value:
  1506.  
  1507. 0x00ff the sprite number within a bank (0..255)
  1508. 0x1f00 the bank number (0..31)
  1509. 0x2000 flip the tile diagonally ** not supported by tline3d()
  1510. 0x4000 flip the tile horizontally
  1511. 0x8000 flip the tile vertically
  1512.  
  1513. All tile flipping bits are observed by the map editor and @map().
  1514.  
  1515. :: Setting a Current Working Map
  1516.  
  1517. Both @map() and @mget() can be used in PICO-8 form that assumes a single global map, which
  1518. defaults to the first layer of map/0.map if it exists, and can be set during runtime by
  1519. memory-mapping an int16 userdata to 0x100000:
  1520.  
  1521. mymap = fetch("forest.map")[2].bmp -- grab layer 2 from a map file
  1522. memmap(mymap, 0x100000)
  1523. map() -- same as map(mymap)
  1524. ?mget(2,2) -- same as mymap:get(2,2)
  1525.  
  1526.  
  1527. map(tile_x, tile_y, [sx, sy], [tiles_x, tiles_y], [p8layers], [tile_w, tile_h])
  1528.  
  1529. map(src, tile_x, tile_y, [sx, sy], [tiles_x, tiles_y], [p8layers], [tile_w, tile_h])
  1530.  
  1531. Draw section of a map (starting from tile_x, tile_y) at screen position sx, sy (pixels),
  1532. from the userdata src, or from the current working map when src is not given. Note that
  1533. the src parameter can be omitted entirely to give a PICO-8 compatible form.
  1534.  
  1535. To grab a layer from a .map file:
  1536.  
  1537. layers = fetch("map/0.map") -- call once when e.g. loading a level
  1538. map(layers[2].bmp)
  1539.  
  1540. To draw a 4x2 blocks of tiles starting from 0,0 in the map, to the screen at 20,20:
  1541.  
  1542. map(0, 0, 20, 20, 4, 2)
  1543.  
  1544. tiles_x and tiles_y default to the entire map.
  1545.  
  1546. map() is often used in conjunction with camera(). To draw the map so that a player object
  1547. (drawn centered at pl.x in pl.y in pixels) is centered in fullscreen (480x270):
  1548.  
  1549. camera(pl.x - 240, pl.y - 135)
  1550. map()
  1551.  
  1552. p8layers is a bitfield. When given, only sprites with matching sprite flags are drawn. For
  1553. example, when p8layers is 0x5, only sprites with flag 0 and 2 are drawn. This has nothing
  1554. to do with the list of layers in the map editor -- it follows PICO-8's approach for getting
  1555. more than one "layer" out of a single map.
  1556.  
  1557. tile_w and tile_h specify the integer width and height in pixels that each tile should be
  1558. drawn. Bitmaps that do not match those dimensions are stretched to fit. The default values
  1559. for tile_w and tile_h are @0x550e, @0x550f (0 means 256), which are in turn initialised to
  1560. the dimensions of sprite 0 on run.
  1561.  
  1562. Sprite 0 is not drawn by default, so that sparse maps do not cost much cpu as only the
  1563. non-zero tiles are expensive. To draw every tile value including 0, set bit 0x8 at 0x5f36:
  1564.  
  1565. poke(0x5f36), peek(0x5f36) | 0x8
  1566.  
  1567.  
  1568. mget(x, y)
  1569.  
  1570. mset(x, y, val)
  1571.  
  1572. PICO-8 style getters & setters that operate on the current working map. These are
  1573. equivalent to using the userdata methods :get and :set directly:
  1574.  
  1575. mymap = userdata("i16", 32,32)
  1576. mymap:set(1,3,42)
  1577. ?mymap:get(1,3) -- 42
  1578.  
  1579. memmap(mymap, 0x100000)
  1580. ?mget(1,3) -- 42
  1581.  
  1582.  
  1583. tline3d(src_ud, x0, y0, x1, y1, u0, v0, u1, v1, w0, w1, [flags])
  1584.  
  1585. Draw a textured line from (x0,y0) to (x1,y1), sampling colour values from userdata src.
  1586. When src is type u8, it is considered to be a single texture image, and the coordinates
  1587. are in pixels. When src is type i16 it is considered to be a map, and coordinates are in
  1588. tiles. When the (src) is not given, the current map is used.
  1589.  
  1590. Both the dimensions of the map and the tile size must be powers of 2.
  1591.  
  1592. u0, v0, u1, v1 are coordinates to sample from, given in pixels for sprites, or tiles for
  1593. maps. Colour values are sampled from the sprite present at each map tile.
  1594.  
  1595. w0, w1 are used to control perspective and mean 1/z0 and 1/z1. Default values are 1,1
  1596. (gives a linear interpolation between uv0 and uv1).
  1597.  
  1598. Experimental flags useful for polygon rendering / rotated sprites: 0x100 to skip drawing
  1599. the last pixel, 0x200 to perform sub-pixel texture coordinate adjustment.
  1600.  
  1601. Unlike @map() or PICO-8's tline, @tline3d() does not support empty tiles: pixels from
  1602. sprite 0 are always drawn, and there is no p8layers bitfield parameter.
  1603.  
  1604. ----------------------------------------------------------------------------------------------------
  1605. Audio
  1606. ----------------------------------------------------------------------------------------------------
  1607.  
  1608.  
  1609. sfx(n, [channel], [offset], [length], [mix_volume])
  1610.  
  1611. Play sfx n (0..63) on channel (0..15) from note offset (0..63 in notes) for length notes.
  1612.  
  1613. Giving -1 as the sfx index stops playing any sfx on that channel. The existing channel
  1614. state is not altered: stopping an sfx that uses an instrument with a long echo will not cut
  1615. the echo short.
  1616.  
  1617. Giving -2 as the sfx index stops playing any sfx on that channel, and also clears the
  1618. channel state state: echos are cut short and the channel is immediately silent.
  1619.  
  1620. Giving nil or -1 as the channel automatically chooses a channel that is not being used.
  1621.  
  1622. Negative offsets can be used to delay before playing.
  1623.  
  1624. When the sfx is looping, length still means the number of (posisbly repeated) notes to
  1625. play.
  1626.  
  1627. When mix_volume is given, the channel is mixed at that value (0x40 means 1.0). Otherwise
  1628. the value at 0x553a is used (0x40 by default). In addition to the per-channel mix volume,
  1629. all channels are subject to a per-proess global volume specified at 0x5538 (default: 0x40
  1630. == 1.0).
  1631.  
  1632. When sfx/0.sfx is found on cartridge startup, it is loaded at 0x30000 which is the default
  1633. base address for tracks actived by sfx(). A custom base address can be assigned with
  1634. poke(0x553c, base_addr >> 16) before each call to sfx().
  1635.  
  1636.  
  1637. music(n, [fade_len], [channel_mask], [base_addr])
  1638.  
  1639. Play music starting from pattern n.
  1640. n -1 to stop music
  1641.  
  1642. fade_len is in ms (default: 0). so to fade pattern 0 in over 1 second:
  1643.  
  1644. music(0, 1000)
  1645.  
  1646. channel_mask is bitfield that specifies which channels to reserve for music only, low bits
  1647. first.
  1648.  
  1649. For example, to play only on the first three channels 0..2, the lowest three bits should be
  1650. set:
  1651.  
  1652. music(0, nil, 0x7) -- bits: 0x1 | 0x2 | 0x4
  1653.  
  1654. Reserved channels can still be used to play sound effects on, but only when that channel
  1655. index is explicitly requested by @sfx().
  1656.  
  1657. When base_addr is given, the channels used to play music are assigned that location in
  1658. memory to read data from. This can be used to load multiple .sfx files into memory and play
  1659. them at the same time. For example, to load some music at 0x80000 and play it without
  1660. interfering with sound effects stored at the default location of 0x30000:
  1661.  
  1662. fetch("sfx/title.sfx"):poke(0x80000) -- load 256k into 0x80000..0xbffff
  1663. music(0, nil, nil, 0x80000)
  1664.  
  1665. When music channels are mixed, they are subject to a global per-app volume specified at
  1666. 0x5538 (default: 0x40 == 1.0), which is then multiplied by a global music volume at 0x5539
  1667. (default: 0x40 == 1.0).
  1668.  
  1669.  
  1670. note(pitch, inst, vol, effect, effect_p, channel, retrig, panning)
  1671.  
  1672. This provides low level control over the state of a channel. It is useful in more niche
  1673. situations, like audio authoring tools and size-coding.
  1674.  
  1675. Internally this is what is used to play each row of a sfx when one is active. Use 0xff to
  1676. indicate an attribute should not be altered.
  1677.  
  1678. Every parameter is optional:
  1679.  
  1680. pitch channel pitch (default 48 -- middle C)
  1681. inst instrument index (default 0)
  1682. vol channel volume (default 64)
  1683. effect channel effect (default 0)
  1684. effect_p effect parameter (default 0)
  1685. channel channel index (0..15 -- default 0)
  1686. retrig (boolean) force retrigger -- default to false
  1687. panning set channel panning (-128..127)
  1688.  
  1689. To kill all channels (including leftover echo and decay envelopes):
  1690.  
  1691. note() -- same as sfx(-2, -1)
  1692.  
  1693. :: Querying Mixer State
  1694.  
  1695. Global mixer state:
  1696.  
  1697. stat(464) -- bitfield indicating which channels are playing a track (sfx)
  1698. stat(465, addr) -- copy last mixer stereo output buffer output is written as
  1699. -- int16's to addr. returns number of samples written.
  1700. stat(466) -- which pattern is playing (-1 for no music)
  1701. stat(467) -- return the index of the left-most non-looping music channel
  1702.  
  1703. Per channel (c) state:
  1704.  
  1705. stat(400 + c, 0) -- note is held (0 false 1 true)
  1706. stat(400 + c, 1) -- channel instrument
  1707. stat(400 + c, 2) -- channel vol
  1708. stat(400 + c, 3) -- channel pan
  1709. stat(400 + c, 4) -- channel pitch
  1710. stat(400 + c, 5) -- channel bend
  1711. stat(400 + c, 6) -- channel effect
  1712. stat(400 + c, 7) -- channel effect_p
  1713. stat(400 + c, 8) -- channel tick len
  1714. stat(400 + c, 9) -- channel row
  1715. stat(400 + c, 10) -- channel row tick
  1716. stat(400 + c, 11) -- channel sfx tick
  1717. stat(400 + c, 12) -- channel sfx index (-1 if none finished)
  1718. stat(400 + c, 13) -- channel last played sfx index
  1719.  
  1720. stat(400 + c, 19, addr) -- fetch stereo output buffer (returns number of samples)
  1721. stat(400 + c, 20 + n, addr) -- fetch mono output buffer for a node n (0..7)
  1722.  
  1723. ----------------------------------------------------------------------------------------------------
  1724. Input
  1725. ----------------------------------------------------------------------------------------------------
  1726.  
  1727.  
  1728. btn([b], [pl])
  1729.  
  1730. Returns the state of button b for player index pl (default 0 -- means Player 1)
  1731.  
  1732. 0 1 2 3 LEFT RIGHT UP DOWN
  1733. 4 5 Buttons: O X
  1734. 6 MENU
  1735. 7 reserved
  1736. 8 9 10 11 Secondary Stick L,R,U,D
  1737. 12 13 Buttons (not named yet!)
  1738. 14 15 SL SR
  1739.  
  1740. A secondary stick is not guaranteed on all platforms! It is preferable to offer an
  1741. alternative control scheme that does not require it, if possible.
  1742.  
  1743. The return value is false when the button is not pressed (or the stick is in the deadzone),
  1744. and a number between 1..255 otherwise. To get the X axis of the primary stick:
  1745.  
  1746. local dx = (btn(1) or 0) - (btn(0) or 0)
  1747.  
  1748. Stick values are processed by btn so that the return values are only physically possible
  1749. positions of a circular stick: the magnitude is clamped to 1.0 (right + down) even with
  1750. digital buttons gives values of 181 for btn(1) and btn(3), and it is impossible for e.g.
  1751. LEFT and RIGHT to be held at the same time. To get raw controller values, use peek(0x5400 +
  1752. player_index*16 + button_index).
  1753.  
  1754. Keyboard controls are currently hard-coded:
  1755.  
  1756. 0~5 Cursors, Z/X
  1757. 6 Enter -- disable with window{pauseable=false}
  1758. 8~11 ADWS
  1759. 12,13 F,G
  1760. 14,15 Q,E
  1761.  
  1762.  
  1763. btnp(b, [pl])
  1764.  
  1765. btnp is short for "Button Pressed"; Instead of being true when a button is held down, btnp
  1766. returns true when a button is down and it was not down the last frame. It also repeats
  1767. after 30 frames, returning true every 8 frames after that. This can be used for things
  1768. like menu navigation or grid-wise player movement.
  1769.  
  1770. The state that btnp() reads is reset at the start of each call to @_update60, so it is
  1771. preferable to use btnp only from inside that call and not from _draw(), which might be
  1772. called less frequently.
  1773.  
  1774. Custom delays (in frames @ 60fps) can be set by poking the following memory addresses:
  1775.  
  1776. poke(0x5f5c, delay) -- set the initial delay before repeating. 255 means never repeat.
  1777. poke(0x5f5d, delay) -- set the repeating delay.
  1778.  
  1779. In both cases, 0 can be used for the default behaviour (delays 30 and 8)
  1780.  
  1781.  
  1782. key(k, [raw])
  1783.  
  1784. keyp(k, [raw])
  1785.  
  1786. returns the state of key k
  1787.  
  1788. function _draw()
  1789. cls(1)
  1790. -- draw when either shift key is held down
  1791. if (key("shift")) circfill(100,100,40,12)
  1792. end
  1793.  
  1794. The name of each k is the same as the character it produces on a US keyboard with some
  1795. exceptions: "space", "delete", "enter", "tab", "ctrl", "shift", "alt", "pageup",
  1796. "pagedown".
  1797.  
  1798. By default, key() uses the local keyboard layout; On an AZERTY keyboard, key("a") is true
  1799. when the key to the right of Tab is pressed. To get the raw layout, use true as the second
  1800. parameter to indicate that k should be the name of the raw scancode. For example, key("a",
  1801. true) will be true when the key to the right of capslock is held, regardless of local
  1802. keyboard layout.
  1803.  
  1804. if (key"ctrl" and keyp"a") printh("CTRL-A Pressed")
  1805.  
  1806. keyp() has the same behaviour key(), but true when the key is pressed or repeating.
  1807.  
  1808.  
  1809. peektext()
  1810.  
  1811. readtext([clear])
  1812.  
  1813. To read text from the keyboard via the host operating system's text entry system,
  1814. peektext() can be used to find out if there is some text waiting, and readtext() can be
  1815. used to consume the next piece of text:
  1816.  
  1817. while (peektext())
  1818. c = readtext()
  1819. printh("read text: "..c)
  1820. end
  1821.  
  1822. When "clear" is true, any remaining text in the queue is discarded.
  1823.  
  1824.  
  1825. mouse()
  1826.  
  1827. Returns mouse_x, mouse_y, mouse_b, wheel_x, wheel_y
  1828.  
  1829. mouse_b is a bitfield: 0x1 means left mouse button, 0x2 right mouse button
  1830.  
  1831.  
  1832. mouselock(lock, event_sensitivity, move_sensitivity)
  1833.  
  1834. when lock is true, Picotron makes a request to the host operating system's window manager
  1835. to capture the mouse, allowing it to control sensitivity and movement speed.
  1836.  
  1837. returns dx,dy: the relative position since the last frame
  1838.  
  1839. event_sensitivity in a number between 0..4 that determines how fast dx, dy change (1.0
  1840. means once per picotron pixel)
  1841.  
  1842. move_sensitivity in a number between 0..4: 1.0 means the cursor continues to move at the
  1843. same speed.
  1844.  
  1845. local size, col = 20, 16
  1846. function _draw()
  1847. cls()
  1848. circfill(240, 135, size*4, col)
  1849. local _,_,mb = mouse()
  1850. dx,dy = mouselock(mb > 0, 0.05, 0) -- dx,dy change slowly, stop mouse moving
  1851. size += dx -- left,right to control size
  1852. col += dy -- up,down to control colour
  1853. end
  1854.  
  1855. ----------------------------------------------------------------------------------------------------
  1856. Strings
  1857. ----------------------------------------------------------------------------------------------------
  1858.  
  1859. Strings in Lua are written either in single or double quotes or with matching [[ ]] brackets:
  1860.  
  1861. s = "the quick"
  1862. s = 'brown fox';
  1863. s = [[
  1864. jumps over
  1865. multiple lines
  1866. ]]
  1867.  
  1868. The length of a string (number of characters) can be retrieved using the # operator:
  1869.  
  1870. >print(#s)
  1871.  
  1872. Strings can be joined using the .. operator. Joining numbers converts them to strings.
  1873.  
  1874. >print("three "..4) --> "three 4"
  1875.  
  1876. When used as part of an arithmetic expression, string values are converted to numbers:
  1877.  
  1878. >print(2+"3") --> 5
  1879.  
  1880.  
  1881. chr(val0, val1, ...)
  1882.  
  1883. Convert one or more ordinal character codes to a string.
  1884.  
  1885. chr(64) -- "@"
  1886. chr(104,101,108,108,111) -- "hello"
  1887.  
  1888.  
  1889. ord(str, [index], [num_results])
  1890.  
  1891. Convert one or more characters from string STR to their ordinal (0..255) character codes.
  1892.  
  1893. Use the index parameter to specify which character in the string to use. When index is out
  1894. of range or str is not a string, ord returns nil.
  1895.  
  1896. When num_results is given, ord returns multiple values starting from index.
  1897.  
  1898. ord("@") -- 64
  1899. ord("123",2) -- 50 (the second character: "2")
  1900. ord("123",2,3) -- 50,51,52
  1901.  
  1902.  
  1903. sub(str, pos0, [pos1])
  1904.  
  1905. grab a substring from string str, from pos0 up to and including pos1. when pos1 is not
  1906. specified, the remainder of the string is returned. when pos1 is specified, but not a
  1907. number, a single character at pos0 is returned.
  1908.  
  1909. s = "the quick brown fox"
  1910. print(sub(s,5,9)) --> "quick"
  1911. print(sub(s,5)) --> "quick brown fox"
  1912. print(sub(s,5,true)) --> "q"
  1913.  
  1914.  
  1915. split(str, [separator], [convert_numbers])
  1916.  
  1917. Split a string into a table of elements delimited by the given separator (defaults to ",").
  1918. When separator is a number n, the string is split into n-character groups. When
  1919. convert_numbers is true, numerical tokens are stored as numbers (defaults to true). Empty
  1920. elements are stored as empty strings.
  1921.  
  1922. split("1,2,3,a,b") -- {1,2,3,"a","b"}
  1923. split("one:two:3",":",false) -- {"one","two","3"}
  1924. split("1,,2,") -- {1,"",2,""}
  1925.  
  1926.  
  1927. type(val)
  1928.  
  1929. Returns the type of val as a string.
  1930.  
  1931. > print(type(3))
  1932. number
  1933. > print(type("3"))
  1934. string
  1935.  
  1936. To find out if a number is an integer or float, use math.type(num).
  1937.  
  1938.  
  1939. create_delta(str0, str1)
  1940.  
  1941. apply_delta(str0, delta)
  1942.  
  1943. create_delta returns a string encoding all of the information needed to get from str0 to
  1944. str1 ("delta"). The delta can then be used by apply_delta to reproduce str1 given only
  1945. str0.
  1946.  
  1947. For example, given the two strings:
  1948.  
  1949. str0 = the quick brown fox
  1950. str1 = the quick red fox
  1951.  
  1952. create_delta(str0, str1) will return a string that instructs apply_delta() to replace
  1953. "brown" with "red".
  1954.  
  1955. d = create_delta(str0, str1)
  1956. print(apply_delta("the quick brown fox", d)) --> the quick red fox
  1957.  
  1958. Note that the string given to apply_delta must be exactly the same as the one used to
  1959. create the delta; otherwise apply_delta returns nil.
  1960.  
  1961. deltas can be used together with pod() to encode the difference between two tables of
  1962. unstructured data:
  1963.  
  1964. a = {1,2,3}
  1965. b = {1, "banana", 2, 3}
  1966. d = create_delta(pod(a), pod(b))
  1967.  
  1968. -- reconstruct b using only a and the delta (d)
  1969. b2 = apply_delta(pod(a), d)
  1970. foreach(unpod(b2), print)
  1971. 1
  1972. banana
  1973. 2
  1974. 3
  1975.  
  1976. This makes deltas useful for things like undo stacks and perhaps (later) changes in game
  1977. state to send across a network. The binary format of the delta includes a few safety
  1978. features like crc and length checks to ensure that the input and output strings are as
  1979. expected. The first 4 bytes of the delta string are always "dst\0".
  1980.  
  1981. The backend for delta encoding is also used internally by anywhen to log incremental
  1982. changes made to each file. There is a lot riding on its correctness ~ please let me know if
  1983. you discover any odd behaviour with deltas!
  1984.  
  1985. ----------------------------------------------------------------------------------------------------
  1986. Tables
  1987. ----------------------------------------------------------------------------------------------------
  1988.  
  1989. With the exception of pairs(), the following functions and the # operator apply only to tables
  1990. that are indexed starting from 1 and do not have NIL entries. All other forms of tables can be
  1991. considered as unordered hash maps, rather than arrays that have a length.
  1992.  
  1993.  
  1994. add(tbl, val, [index])
  1995.  
  1996. Add value val to the end of table tbl. Equivalent to:
  1997.  
  1998. tbl[#tbl + 1] = val
  1999.  
  2000. If index is given then the element is inserted at that position:
  2001.  
  2002. foo={} -- create empty table
  2003. add(foo, 11)
  2004. add(foo, 22)
  2005. print(foo[2]) -- 22
  2006.  
  2007.  
  2008. del(tbl, val)
  2009.  
  2010. Delete the first instance of value VAL in table TBL. The remaining entries are shifted left
  2011. one index to avoid holes.
  2012.  
  2013. Note that val is the value of the item to be deleted, not the index into the table. (To
  2014. remove an item at a particular index, use deli instead). del() returns the deleted item, or
  2015. returns no value when nothing was deleted.
  2016.  
  2017. a={1,10,2,11,3,12}
  2018. for item in all(a) do
  2019. if (item < 10) then del(a, item) end
  2020. end
  2021. foreach(a, print) -- 10,11,12
  2022. print(a[3]) -- 12
  2023.  
  2024.  
  2025. deli(tbl, [index])
  2026.  
  2027. Like @del(), but remove the item from table tbl at index. When index is not given, the last
  2028. element of the table is removed and returned.
  2029.  
  2030.  
  2031. count(tbl, [val])
  2032.  
  2033. Returns the length of table t (same as #tbl) When val is given, returns the number of
  2034. instances of VAL in that table.
  2035.  
  2036.  
  2037. all(tbl)
  2038.  
  2039. Used in for loops to iterate over all items in a table (that have a 1-based integer index),
  2040. in the order they were added.
  2041.  
  2042. t = {11,12,13}
  2043. add(t,14)
  2044. add(t,"hi")
  2045. for v in all(t) do print(v) end -- 11 12 13 14 hi
  2046. print(#t) -- 5
  2047.  
  2048.  
  2049. foreach(tbl, func)
  2050.  
  2051. For each item in table tbl, call function func with the item as a single parameter.
  2052.  
  2053. > foreach({1,2,3}, print)
  2054.  
  2055.  
  2056. pairs(tbl)
  2057.  
  2058. Used in for loops to iterate over table tbl, providing both the key and value for each
  2059. item. Unlike @all(), pairs() iterates over every item regardless of indexing scheme. Order
  2060. is not guaranteed.
  2061.  
  2062. t = {["hello"]=3, [10]="blah"}
  2063. t.blue = 5;
  2064. for k,v in pairs(t) do
  2065. print("k: "..k.." v:"..v)
  2066. end
  2067.  
  2068. Output:
  2069.  
  2070. k: 10 v:blah
  2071. k: hello v:3
  2072. k: blue v:5
  2073.  
  2074. ----------------------------------------------------------------------------------------------------
  2075. PODs
  2076. ----------------------------------------------------------------------------------------------------
  2077.  
  2078. A POD ("Picotron Object Data") is a string that encodes Lua values: tables, userdata, strings,
  2079. numbers booleans, and nested tables containing those types.
  2080.  
  2081. PODs form the basis of all data transfer and storage in Picotron. Every file is a single POD on
  2082. disk, the contents of the clipboard is a POD, images embedded in documents are PODs, and
  2083. messages sent between processes are PODs.
  2084.  
  2085.  
  2086. pod(val, [flags], [metadata])
  2087.  
  2088. Returns a binary string encoding val.
  2089.  
  2090. flags determine the encoding format (default: 0x0)
  2091.  
  2092. metadata is an optional value that is encoded into the string and stores additional
  2093. information about the pod.
  2094.  
  2095. ?pod({a=1,b=2})
  2096. {a=1,b=2}
  2097.  
  2098. pod() returns nil when the input value contains functions, circular references, or other
  2099. values that can not be encoded.
  2100.  
  2101. flags:
  2102.  
  2103. 0x1 pxu: encode userdata in a compressed (RLE-style) form
  2104. 0x2 lz4: binary compression pass (dictionary matching)
  2105. 0x4 base64 text encoding (convert back into a text-friendly format)
  2106.  
  2107. Plaintext PODs can get quite large if they contain images or map data. A compressed
  2108. binary encoding can be generated using flags 0x1 and 0x2, which are normally used
  2109. together as the pxu format aims to produce output that can be further compressed by
  2110. lz4. store() uses this format by default.
  2111.  
  2112. The resulting string contains non-printable characters and starts with the header
  2113. "lz4\0", so only the first 3 characters are printed here:
  2114.  
  2115. ?pod({a=1,b=2}, 0x3)
  2116. lz4
  2117.  
  2118.  
  2119. unpod(str)
  2120.  
  2121. returns the decoded value, and the decoded metadata as a second result:
  2122.  
  2123. str = pod({4,5,6}, 0, {desc = "an uninteresting sequence"})
  2124.  
  2125. c,m = unpod(str) -- returns content and metadata
  2126. ?m.desc -- an uninteresting sequence
  2127. ?c[1] -- 4
  2128.  
  2129. ----------------------------------------------------------------------------------------------------
  2130. Files
  2131. ----------------------------------------------------------------------------------------------------
  2132.  
  2133. A file in picotron is a single POD (see the previous section), and uses the metadata part of
  2134. the POD as a metadata fork. As such, files are stored and fetched atomically; there is no
  2135. concept of a partial read, write or append.
  2136.  
  2137.  
  2138. store(filename, obj, [metadata])
  2139.  
  2140. store a lua object (tables, strings, userdata, booleans and numbers are allowed) as a file.
  2141.  
  2142. filenames can contain alphanumeric characters, "_", "-" and "."
  2143.  
  2144. When metadata is given, each field is added to the file's metadata without clobbering any
  2145. existing fields.
  2146.  
  2147. store("foo.pod", {x=3,y=5})
  2148. a = fetch("foo.pod")
  2149. ?a.x -- 3
  2150.  
  2151. When a cartridge needs to persist data (settings, high scores etc), it can use store() to
  2152. write to /appdata:
  2153.  
  2154. store("/appdata/mygame_highscores.pod", highscore_tbl)
  2155.  
  2156. If the cartridge needs to store more than one or two files, a folder can be used:
  2157.  
  2158. mkdir("/appdata/mygamename")
  2159. store("/appdata/mygamename/highscores.pod", highscore_tbl)
  2160.  
  2161. Either method is fine. In most cases, cartridges are run directly from the BBS and thus
  2162. sandboxed so that writes to /appdata/ are mapped to /appdata/bbs/cart_id/. This means that
  2163. BBS carts can not read or clobber data written by other bbs carts, except for data written
  2164. to a special shared folder: /appdata/shared.
  2165.  
  2166. When running under web, /appdata (and only /appdata) is persisted using Indexed DB
  2167. storage. This applies to both html exports and carts running on the BBS.
  2168.  
  2169.  
  2170. fetch(filename)
  2171.  
  2172. Return a lua object stored in a given file. Returns the object and metadata.
  2173.  
  2174.  
  2175. store_metadata(filename, metadata)
  2176.  
  2177. fetch_metadata(filename)
  2178.  
  2179. Store and fetch just the metadata fork of a file or directory. This can be faster in some
  2180. cases.
  2181.  
  2182.  
  2183. mkdir(name)
  2184.  
  2185. Create a directory
  2186.  
  2187.  
  2188. ls([path])
  2189.  
  2190. list files and folders in given path relative to the current directory.
  2191.  
  2192.  
  2193. cp(src, dest)
  2194.  
  2195. Copy a file from src to dest. Folders are copied recursively, and dest is overwritten.
  2196.  
  2197.  
  2198. mv(src, dest)
  2199.  
  2200. Move a file from src to dest. Folders are moved recursively, and dest is overwritten.
  2201.  
  2202.  
  2203. rm(filename)
  2204.  
  2205. Delete a file or folder (recursive).
  2206.  
  2207. Mount points are also deleted, but the contents of their origin folder are not deleted
  2208. unless explicitly given as a parameter to rm.
  2209.  
  2210.  
  2211. pwd()
  2212.  
  2213. Return the present working directory. Relative filenames (that do not start with "/") all
  2214. resolve relative to this path.
  2215.  
  2216.  
  2217. cd()
  2218.  
  2219. Change directory.
  2220.  
  2221.  
  2222. fullpath(filename)
  2223.  
  2224. Resolve a filename to its canonical path based on the present working directory (pwd()).
  2225.  
  2226.  
  2227. fstat(filename)
  2228.  
  2229. returns 3 attributes of given filename (if it exists):
  2230.  
  2231. string: "file" or "folder"
  2232. number: size of file
  2233. string: origin of path
  2234.  
  2235.  
  2236. include(filename)
  2237.  
  2238. Load and run a lua file.
  2239.  
  2240. The filename is relative to the present working directory, not the directory that the file
  2241. was included from.
  2242.  
  2243. Note that include() is quite different from PICO-8's #include, although it is used in a
  2244. similar way. The difference is that include() is a regular function that is called at
  2245. runtime, rather than PICO-8's #include which inserts the raw contents of the included file
  2246. at the preprocessing stage.
  2247.  
  2248. include(filename) is roughly equivalent to:
  2249.  
  2250. load(fetch(filename))()
  2251.  
  2252. :: File Sandboxing
  2253.  
  2254. A sandboxed process only has limited access to the filesystem. This allows untrusted
  2255. cartridges to be run without risk of messing up other parts of the system (e.g. a
  2256. malicious bbs cart might try to rm("/desktop")). All BBS carts (e.g. bbs://foo.p64) are
  2257. run sandboxed; they are only allowed to write to /appdata (which is mapped to
  2258. /appdata/bbs/{bbs_id}), and /appdata/shared. They can also only read from themselves,
  2259. /system and /ram/shared.
  2260.  
  2261. When a cartridge is copied from the BBS to local filesystem (e.g. desktop), it is given
  2262. some metadata so that it continues to run sandboxed in the same way: .sandbox = "bbs" and
  2263. .bbs_id (the cart id). It can be un-sandboxed using the about tool and unchecking
  2264. "sandbox", or by using "load -u #foo"
  2265.  
  2266. To sandbox a cartridge during development to see how it will behave on the BBS, type
  2267. "about" from the commandline and check the sandbox field to get a dummy bbs id starting
  2268. with an underscore that can be used for testing.
  2269.  
  2270. Files opened via the open command (/system/util/open.lua) are additionally accessible from
  2271. sandboxed processes no matter where they are on disk, as are files drag-and-dropeed into
  2272. the app window, and files chosen via the file open dialogue. In short: access to arbitrary
  2273. locations is given to sandboxed apps when the user performs an action that shows clear
  2274. intent to allow it.
  2275.  
  2276. For more details, see:
  2277. https://www.lexaloffle.com/dl/docs/picotron_filesystem.html#Sandboxing
  2278.  
  2279. ----------------------------------------------------------------------------------------------------
  2280. System
  2281. ----------------------------------------------------------------------------------------------------
  2282.  
  2283.  
  2284. printh(str)
  2285.  
  2286. print a string to the host operating system's console for debugging.
  2287.  
  2288.  
  2289. env()
  2290.  
  2291. Returns a table of environment variables given to the process at the time of creation.
  2292.  
  2293. ?pod(env()) -- view contents of env()
  2294.  
  2295.  
  2296. stop([message])
  2297.  
  2298. stop the cart and optionally print a message
  2299.  
  2300.  
  2301. assert(condition, [message])
  2302.  
  2303. if condition is false, stop the program and print message if it is given. this can be
  2304. useful for debugging cartridges, by assert()'ing that things that you expect to be true are
  2305. indeed true.
  2306.  
  2307. assert(actor) -- actor should exist and be a table
  2308. actor.x += 1 -- definitely won't get a "referencing nil" error
  2309.  
  2310.  
  2311. time()
  2312.  
  2313. t()
  2314.  
  2315. Returns the number of seconds elapsed since the cartridge was run.
  2316.  
  2317. This is not the real-world time, but is calculated by counting the number of times
  2318. _update60 is called. multiple calls of time() from the same frame return the same result.
  2319.  
  2320.  
  2321. date(format, t, delta)
  2322.  
  2323. Returns the current day and time formatted using Lua's standard date strings.
  2324.  
  2325. format: specifies the output string format, and defaults to "!%Y-%m-%d %H:%M:%S" (UTC) when
  2326. not given. Picotron timestamps stored in file metadata are stored in this format.
  2327.  
  2328. t: specifies the moment in time to be encoded as a string, and can be either an integer
  2329. (epoch timestamp) or a string indicating UTC in the format: "!%Y-%m-%d %H:%M:%S". When t is
  2330. not given, the current time is used.
  2331.  
  2332. delta: number of seconds to add to t.
  2333.  
  2334. -- show the current UTC time (use this for timestamps)
  2335. ?date()
  2336.  
  2337. -- show the current local time
  2338. ?date("%Y-%m-%d %H:%M:%S")
  2339.  
  2340. -- convert a UTC date to local time
  2341. ?date("%Y-%m-%d %H:%M:%S", "2024-03-14 03:14:00")
  2342.  
  2343. -- local time 1 hour ago
  2344. ?date("%Y-%m-%d %H:%M:%S", nil, -60*60)
  2345.  
  2346.  
  2347. get_clipboard()
  2348.  
  2349. set_clipboard(text)
  2350.  
  2351. Read and write the contents of the clipboard. The value is always a single string; to copy
  2352. structured objects to the clipboard, use @pod() and @unpod().
  2353.  
  2354. For security reasons, get_clipboard() only has access to the host clipboard after ctrl-v is
  2355. pressed while Picotron is active. Until ctrl-v is pressed, changes to the host clipboard
  2356. have no effect on the return value of get_clipboard(). The same is true for sandboxed
  2357. applications (e.g. bbs carts): they are only able to access clipboard contents from other
  2358. processes once ctrl-v is pressed while that app has keyboard focus.
  2359.  
  2360. out = "[output]\n"
  2361. function _update()
  2362.  
  2363. if key"ctrl" and keyp"c" then
  2364. local test_str = "test"..flr(rnd(10000))
  2365. set_clipboard(test_str)
  2366. out ..= "ctrl-c copied: "..test_str.."\n"
  2367. end
  2368.  
  2369. if key"ctrl" and keyp"v" then
  2370. out ..= "ctrl-v pasted: "..get_clipboard().."\n"
  2371. end
  2372.  
  2373. -- this will only work for clipboard contents that is copied from within Picotron
  2374. -- (or within the same app when sandboxed), unless pasted with ctrl-v first.
  2375. if key"ctrl" and keyp"b" then
  2376. out ..= "ctrl-b pasted: "..get_clipboard().."\n"
  2377. end
  2378. end
  2379. function _draw()
  2380. cls()
  2381. print(out, 2,2,7)
  2382. end
  2383.  
  2384. ----------------------------------------------------------------------------------------------------
  2385. Memory
  2386. ----------------------------------------------------------------------------------------------------
  2387.  
  2388. Each process in Picotron has a limit of 32MB RAM, which includes both allocations for Lua
  2389. objects, and data stored directly in RAM using memory functions like poke() and memcpy(). In
  2390. the latter case, 4k pages are allocated when a page is written, and can not be deallocated
  2391. during the process lifetime.
  2392.  
  2393. Only 16MB of ram is addressable: 0x000000..0xffffff. Memory addresses below 0x80000 and above
  2394. 0xf00000 are mostly reserved for system use, but anything in the 0x80000..0xefffff range can
  2395. be safely used for arbitrary purposes.
  2396.  
  2397. :: Memory Layout
  2398.  
  2399. 0x000000 ~ 0x003fff Legacy PICO-8 range, but probably safe to use!
  2400. 0x004000 ~ 0x0047ff Primary P8SCII Font (2k)
  2401. 0x005000 ~ 0x0053ff ARGB display palettes (1k)
  2402. 0x005400 ~ 0x005477 Per-scanline rgb display palette selection (120 bytes)
  2403. 0x005480 ~ 0x0054bf Indexed display palette (64 bytes)
  2404. 0x0054c0 ~ 0x00553f Misc draw state (128 bytes)
  2405. 0x005580 ~ 0x0055ff Raw controller state (128 bytes)
  2406. 0x005600 ~ 0x005dff Secondary P8SCII font (2k)
  2407. 0X005e00 ~ 0x005eff Reserved: P8 persistent state (256 bytes)
  2408. 0x005f00 ~ 0x005f7f P8 draw State (some used by Picotron)
  2409. 0x005f80 ~ 0x007fff Reserved: legacy P8 gpio, video memory
  2410. 0x008000 ~ 0x00bfff Colour tables (16k)
  2411. 0x00c000 ~ 0x00ffff Reserved (16k)
  2412. 0x010000 ~ 0x02ffff Display / Draw Target (128k)
  2413. 0x030000 ~ 0x07ffff Default audio data range
  2414. 0x080000 ~ 0xefffff Available for arbitrary use
  2415. 0xf00000 ~ 0xffffff Wavetable data
  2416.  
  2417.  
  2418. peek(addr, [n])
  2419.  
  2420. read a byte from an address in ram. if n is specified, peek() returns that number of
  2421. results (max: 65536). for example, to read the first 2 bytes of video memory:
  2422.  
  2423. a, b = peek(0x10000, 2)
  2424.  
  2425.  
  2426. poke(addr, val1, val2, ...)
  2427.  
  2428. write one or more bytes to an address in base ram. if more than one parameter is provided,
  2429. they are written sequentially (max: 65536).
  2430.  
  2431.  
  2432. peek2(addr)
  2433.  
  2434. poke2(addr, val)
  2435.  
  2436. peek4(addr)
  2437.  
  2438. poke4(addr, val)
  2439.  
  2440. peek8(addr)
  2441.  
  2442. poke8(addr, val)
  2443.  
  2444. i16,i32 and i64 versions.
  2445.  
  2446.  
  2447. memcpy(dest_addr, source_addr, len)
  2448.  
  2449. copy len bytes of base ram from source to dest. sections can be overlapping (but is slower)
  2450.  
  2451.  
  2452. memset(dest_addr, val, len)
  2453.  
  2454. write the 8-bit value val into memory starting at dest_addr, for len bytes.
  2455.  
  2456. for example, to fill half of video memory with 0xc8:
  2457.  
  2458. > memset(0x10000, 0xc8, 0x10000)
  2459.  
  2460. ----------------------------------------------------------------------------------------------------
  2461. Windows
  2462. ----------------------------------------------------------------------------------------------------
  2463.  
  2464. Each process in Picotron has a single window, and a single display that always matches the size
  2465. of the window. The display is a u8 userdata that can be manipulated using the regular userdata
  2466. methods, or using the gfx api while the display is also the draw target.
  2467.  
  2468. When a program has a _draw function but a window does not exist by the end of _init(), a
  2469. fullscreen display and workspace is created automatically. To explicitly create a fullscreen
  2470. display before then, window() with no parameters can be used.
  2471.  
  2472. Although switching between fullscreen and windowed modes is possible, the window manager does
  2473. not yet support that and will produce unexpected results (a window in a fullscreen workspace,
  2474. or a fullscreen window covering the desktop).
  2475.  
  2476.  
  2477. get_display()
  2478.  
  2479. Returns the current display as a u8, 2d userdata. There is no way to set the display
  2480. userdata directly; it can be resized using the window() function.
  2481.  
  2482.  
  2483. set_draw_target(ud)
  2484.  
  2485. get_draw_target()
  2486.  
  2487. Set the draw target to ud, which must be a u8, 2d userdata. When ud is not given,
  2488. set_draw_target() defaults to the current display.
  2489.  
  2490.  
  2491. window(attribs)
  2492.  
  2493. window(width, height)
  2494.  
  2495. Create a window and/or set the window's attributes. attribs is table of desired attributes
  2496. for the window:
  2497.  
  2498. window{
  2499. width = 80,
  2500. height = 160,
  2501. resizeable = false,
  2502. title = "Palette"
  2503. }
  2504. function _draw()
  2505. cls(7)
  2506. for y=0,7 do
  2507. for x=0,3 do
  2508. circfill(10 + x * 20, 10 + y * 20, 7, x+y*4)
  2509. end
  2510. end
  2511. end
  2512.  
  2513. width -- width in pixels (not including the frame)
  2514. height -- height in pixels
  2515. title -- set a title displayed on the window's titlebar
  2516. pauseable -- false to turn off the app menu that normally comes up with ENTER
  2517. tabbed -- true to open in a tabbed workspace (like the code editor)
  2518. has_frame -- default: true
  2519. moveable -- default: true
  2520. resizeable -- default: true
  2521. wallpaper -- act as a wallpaper (z defaults to -1000 in that case)
  2522. autoclose -- close window when is no longer in focus or when press escape
  2523. z -- windows with higher z are drawn on top. Defaults to 0
  2524. cursor -- 0 for no cursor, 1 for default, or a userdata for a custom cursor
  2525. squashable -- window resizes itself to stay within the desktop region
  2526.  
  2527. System cursors are named, and can be requested using a string:
  2528.  
  2529. pointer hand with a finger that presses down while mouse button is pressed
  2530. grab open hand that changes into grabbing pose while mouse button is pressed
  2531. dial hand in a dial-twirling pose that disappears while mouse button is held down
  2532. crosshair
  2533.  
  2534.  
  2535. vid(video_mode)
  2536.  
  2537. Set a fullscreen video mode. Currently supported modes:
  2538.  
  2539. vid(0) -- 480x270
  2540. vid(3) -- 240x135
  2541. vid(4) -- 160x90
  2542.  
  2543. ====================================================================================================
  2544. Userdata
  2545. ====================================================================================================
  2546.  
  2547. Userdata in Picotron is a fixed-size allocation of memory that can be manipulated as a 1d or 2d
  2548. array of typed data. It is used to repesent many things in Picotron: vectors, matrices, to
  2549. store sprites, maps and the contents of display. Therefore, all of these things can be
  2550. manipulated with the userdata API. It is also possible to expose the raw binary contents of a
  2551. userdata to RAM (by giving it an address with @memmap), in which case userdata API can be used
  2552. to directly manipulate the contents of RAM.
  2553.  
  2554. :: Userdata Access
  2555.  
  2556. u = userdata("i16", 4, 8) -- a 4x8 array of 16-bit signed integers
  2557. u:set(2,1,42) -- set the elements at x=2, y=1 to 42
  2558. ?#u -- the total number of elements (32)
  2559.  
  2560. Userdata can be indexed as a 1d array using square brackets, and the first 7 elements of a
  2561. userdata can be accessed using special names: x y z u v w t.
  2562.  
  2563. The following assignments and references are equivalent for a 2d userdata of width 4:
  2564.  
  2565. u:set(2,1,42)
  2566. u[6] = 42
  2567. u.t = 42
  2568.  
  2569. ?u:get(2,1)
  2570. ?u[6]
  2571. ?u.t
  2572.  
  2573.  
  2574. userdata(data_type, width, height, [data])
  2575.  
  2576. Create a userdata with a data type: "u8", "i16", "i32", "i64", or "f64". The first 4 are
  2577. integers which are unsigned (u) or signed(i), and with a given number of bits. The last one
  2578. is for 64-bit floats, and can be used to implement vectors and matrices.
  2579.  
  2580. data is a string of hexadecimal values encoding the initial values for integer values, or a
  2581. list of f64s separated by commas.
  2582.  
  2583. A 2d 8-bit userdata can also be created by passing a PICO-8 [gfx] snippet as a string (copy
  2584. and paste from PICO-8's sprite editor):
  2585.  
  2586. s = userdata("[gfx]08080400004000444440044ffff094f1ff1944fff9f4044769700047770000a00a00[/gfx]")
  2587. spr(s, 200, 100)
  2588.  
  2589.  
  2590. vec(...)
  2591.  
  2592. A convenience function for constructing 1d vectors of f64s.
  2593.  
  2594. v = vec(1.0,2.0,3.5)
  2595. -- equivalent to:
  2596. v = userdata("f64", 3)
  2597. v:set(0, 1.0,2.0,3.5)
  2598.  
  2599.  
  2600. userdata:width()
  2601.  
  2602. userdata:height()
  2603.  
  2604. returns the width, height of a userdata
  2605.  
  2606. height() returns nil for a 1d userdata.
  2607.  
  2608. ?userdata(get_display():width()) -- width of current window
  2609.  
  2610.  
  2611. userdata:attribs()
  2612.  
  2613. returns the width, height, type and dimensionality of a userdata. Unlike :height(),
  2614. :attribs() returns 1 as the height for 1d userdata.
  2615.  
  2616.  
  2617. userdata:get(x, n)
  2618.  
  2619. userdata:get(x, y, n)
  2620.  
  2621. Return n values starting at x (or x, y for 2d userdata), or 0 if out of range.
  2622.  
  2623. ?get_display():get(20, 10) -- same as ?pget(20, 10)
  2624.  
  2625.  
  2626. userdata:set(x, val0, val1, ..)
  2627.  
  2628. userdata:set(x, y, val0, val1, ..)
  2629.  
  2630. Set one or more value starting at x (or x, y for 2d userdata).
  2631.  
  2632. Values set at locations out of range are clipped and have no effect.
  2633.  
  2634. get and set are also available as global functions: set(u,0,0,3) is the same as
  2635. u:set(0,0,3). When the global set() is passed a nil userdata, no error or action is
  2636. performed.
  2637.  
  2638.  
  2639. userdata:row(i)
  2640.  
  2641. userdata:column(i)
  2642.  
  2643. Return a row or column of a 2d userdata (0 is the first row or column), or nil when out of
  2644. range.
  2645.  
  2646.  
  2647. userdata:blit(dest, src_x, src_y, dest_x, dest_y, width, height)
  2648.  
  2649. blit(src, dest, src_x, src_y, dest_x, dest_y, width, height)
  2650.  
  2651. Copy a region of one userdata to another. The following copies a 8x7 pixel region from
  2652. sprite 0 to the draw target at 100, 50:
  2653.  
  2654. blit(get_spr(0), get_draw_target(), 0, 0, 100, 50, 8, 7)
  2655.  
  2656. Both src and dest must be the same type.
  2657.  
  2658. When dest is the draw target, the current clipping state is applied. Otherwise no clipping
  2659. is performed (except to discard writes outside the destination userdata). In either case,
  2660. no other aspects of the draw state are observed, and it is much faster than an equivalent
  2661. sspr call.
  2662.  
  2663. All arguments are optional: width and height default to the src width and height, and the
  2664. two userdata parameters default to the current draw target.
  2665.  
  2666.  
  2667. userdata:mutate(data_type, [width], [height])
  2668.  
  2669. Change the type or size of a userdata. When changing data type, only integer types can be
  2670. used.
  2671.  
  2672. The binary contents of the userdata are unchanged, but subsequent operations will treat
  2673. that data using the new format:
  2674.  
  2675. > ud = userdata("i32", 2, 2)
  2676. > ud:set(0,0, 1,2,3,-1)
  2677. > ?pod{ud:get()}
  2678. {1,2,3,-1}
  2679. > ud:mutate("u8", 8,2)
  2680. > ?pod{ud:get()}
  2681. {1,0,0,0,2,0,0,0,3,0,0,0,255,255,255}
  2682.  
  2683. The total data size given by the new data type and dimensions must be the same as or
  2684. smaller than the old one. In the above example, the userdata starts with 2x2 i32's (16
  2685. bytes) and is changed to 8x2 u8's (also 16 bytes).
  2686.  
  2687. When the width and height is not given, the existing width is used multiplied by the ratio
  2688. of old data type size to new one, and the existing height is used as-is. Note that this can
  2689. result in a loss of total data size when the width is not evenly divisible.
  2690.  
  2691. > ud = userdata("u8", 200, 50)
  2692. > ud:mutate("i64")
  2693. > ?{ud:attribs()}
  2694. {25,50,"i64",2}
  2695.  
  2696.  
  2697. userdata:lerp(offset, len, el_stride, num_lerps, lerp_stride)
  2698.  
  2699. linearly interpolate between two elements of a userdata
  2700.  
  2701. offset is the flat index to start from (default: 0)
  2702.  
  2703. len is the length (x1-x0) of the lerp, including the end element but not the start element.
  2704.  
  2705. el_stride is the distance between elements (default: 1)
  2706.  
  2707. Multiple lerps can be performed at once using num_lerps, and lerp_stride. lerp_stride is
  2708. added to offset after each lerp.
  2709.  
  2710. > v = vec(2,0,0,0,10):lerp()
  2711. ?pod{v:get()} -- 2,4,6,8,10
  2712. > v = vec(0,2,0,4,0):lerp(1,2)
  2713. ?pod{v:get()} -- 0,2,3,4,0
  2714. > v = vec(2,0,0,0,10):lerp(0,2,2)
  2715. ?pod{v:get()} -- 2,0,6,0,10
  2716. > v = vec(1,0,3,0,10,0,30):lerp(0,2,1, 2,4)
  2717. ?pod{v:get()} -- 1,2,3, 0, 10,20,30
  2718.  
  2719.  
  2720. userdata:convert(data_type, [dest])
  2721.  
  2722. Return a copy of userdata cast as a different type. When converting to ints, f64 values are
  2723. flr()'ed and out of range values overflow.
  2724.  
  2725. v = vec(5.3, 5.7, 257)
  2726. ?pod{v:convert("u8"):get()} -- {5,5,1}
  2727.  
  2728.  
  2729. userdata:sort(index, descending)
  2730.  
  2731. Sort a 2d userdata of any type by the value found in the index column (0 by default).
  2732.  
  2733. When descending is true, sort from largest to smallest.
  2734.  
  2735. scores = userdata("i32", 2, 3)
  2736. scores:set(0,0, 3,2000, 4,4000, 7,3000)
  2737. scores:sort(1, true) -- sort by second column descending
  2738. ?pod{scores:get()} -- {3,2000, 7,3000, 4,4000)
  2739.  
  2740. ----------------------------------------------------------------------------------------------------
  2741. UserData Operations
  2742. ----------------------------------------------------------------------------------------------------
  2743.  
  2744. Userdata can be used with arithmetic operators, in which case the operator is applied per
  2745. element:
  2746.  
  2747. v = vec(1,2,3) + vec(10,20,30)
  2748. ?v -- (11.0,22.0,33.0)
  2749.  
  2750. When one of the terms is a scalar, that value is applied per element:
  2751.  
  2752. v = vec(1,2,3) + 10
  2753. ?v -- (11.0, 12.0, 13.0)
  2754. v = vec(1,2,3) / 2
  2755. ?v -- (0.5,1.0,1.5)
  2756.  
  2757. Supported operators for any userdata type: + - * / % ^
  2758.  
  2759. Bitwise operators for integer userdata types: & | ^^
  2760.  
  2761. Each operator has a corresponding userdata metamethod that can take additional parameters (see
  2762. @userdata:op):
  2763.  
  2764. :add :sub :mul :div :mod :pow :band :bor :bxor
  2765.  
  2766. Additional operation metamethods that do not have a corresponding operator:
  2767.  
  2768. :max -- return the largest of each element / scalar
  2769. :min -- return the smallest of each element / scalar
  2770.  
  2771. Additional unary operation metamethods that ignore the src parameter:
  2772.  
  2773. :copy -- equivalent to :add(0, ...) :abs -- abs(x) for each element (except: int_min ->
  2774. int_min, not int_max) :sgn -- returns -1 for negative values and 1 for positive values and
  2775. zero :sgn0 -- returns -1 for negative values and 1 for positive values, and 0 for zero
  2776.  
  2777.  
  2778. userdata:op(src, dest, src_offset, dest_offset, len, src_stride, dest_stride, spans)
  2779.  
  2780. Applies operator op (add, mult etc) to each element and written to a new userdata. All
  2781. parameters are optional.
  2782.  
  2783. For each element, the LHS is taken from the calling userdata, and the RHS is taken from the
  2784. "src" userdata:
  2785.  
  2786. dest_val = ud_val {op} src_val
  2787.  
  2788. For example, the following divides each value in a userdata by a value from src:
  2789.  
  2790. ?vec(1,2,3):div(vec(2,2,10)) -- (0.5, 1.0, 0.3)
  2791. ?vec(1,2,3) / vec(2,2,10) -- same thing
  2792.  
  2793. ud or src can be a number in which case that number is used as the LHS / RHS operand for each
  2794. element:
  2795.  
  2796. v = vec(1,2,3)
  2797. v = v:add(10) -- add 10 to each element -- same as v += 10
  2798.  
  2799. dest is an optional output userdata, which can be the boolean value true to mean "write to
  2800. self". This can be used to avoid the cpu overhead of creating new userdata objects.
  2801.  
  2802. dest must be the same shape as the calling userdata, otherwise nil is returned. This is because
  2803. c = a:div(b) should give the same result as a:div(b,c) for the modified elements.
  2804.  
  2805. v:add(10, v) -- add 10 to each element of v, written in-place
  2806. v:add(10, true) -- same thing
  2807.  
  2808. :: Partial Operations
  2809.  
  2810. Flat offsets into src and dest can be given, as well as a number of elements to process (len).
  2811.  
  2812. When operations are applied to a partial subset of elements, the remaining elements are not
  2813. modified. This means that any existing values in the calling userdata (or in dest when dest is
  2814. given) can carry over.
  2815.  
  2816. For example, in the following call to :mul, only the 2 elements are modified starting from
  2817. offset 1:
  2818.  
  2819. out = vec(0,1,2,3,4):mul(100, nil, 0, 1, 2)
  2820. ?out -- (0,100,200,3,4)
  2821.  
  2822. When dest is given, the same rule applies.
  2823.  
  2824. out = vec(5,6,7,8,9)
  2825. vec(0,1,2,3,4):mul(100, out, 0, 1, 2)
  2826. ?out -- (5,100,200,8,9)
  2827.  
  2828. :: Stride
  2829.  
  2830. The last 3 parameters (src_stride, dest_stride and spans) can be used together to apply the
  2831. operation to multiple, non-contiguous spans of length len. src_stride, and dest_stride specify
  2832. the number of elements between the start of each span for src and dest respectively. Both are
  2833. expressed as flat indices (i.e. for 2d userdata the element at x,y has a flat index of x + y *
  2834. width).
  2835.  
  2836. This is easier to see with a visual example:
  2837.  
  2838. foo = userdata("u8", 4, "01020304")
  2839.  
  2840. function _draw()
  2841. cls()
  2842. circfill(240 + t()*10,135,100,7)
  2843. get_display():add(foo, true, 0, 0, 4, 0, 16, 10000)
  2844. end
  2845.  
  2846. This is an in-place operation -- reading and writing from the display bitmap (which is a 2d
  2847. userdata).
  2848.  
  2849. It modifies the first 4 pixels in each group of 16, 10000 times (so 40000 pixels are modified).
  2850.  
  2851. First, 1 is added to the first pixel, 2 to the second, up to the 4th pixel. The second span
  2852. starts at the 16th pixel, and reading again from the start of foo (because the stride for src
  2853. is 0), which means the same 4 values are added for every span.
  2854.  
  2855. Note that this example is a pure userdata operation -- no graphical clipping is performed
  2856. except to stay within the linear range of each input userdata.
  2857.  
  2858. :: Overlapping Evaluations
  2859.  
  2860. Userdata operations that have overlapping regions are allowed, and are always calculated left
  2861. to right. This means that when the src and dest userdata are the same, some elements may be
  2862. read after they have already been modified at some point earlier in the operation, and that
  2863. new value is then used for another calculation.
  2864.  
  2865. In the following example, the destination offset is 1, which means that the first calculation
  2866. is a[1]= a[1]+a[0], and then a[2]=a[2]+a[1] and so on. The result is that each element is
  2867. evaluated to the sum of itself plus all of the elements before it:
  2868.  
  2869. > a = vec(1,2,5,200)
  2870. > a:add(a,true,0,1)
  2871. > ?pod{unpack(a)}
  2872. {1,3,8,208} -- 1, 2+1, 5+2+1, 200+5+2+1
  2873.  
  2874. :: CPU Costs
  2875.  
  2876. Operations on userdata cost 1 cycle for every 24 operations, except for mult (16 ops), div/mod
  2877. (4 ops), pow (2 ops), and operations that do a compare (4), plus any overhead for the function
  2878. call itself.
  2879.  
  2880. :: Copy with Lookup Table
  2881.  
  2882.  
  2883. userdata:copy(idx, dest, idx_offset, dest_offset, len, idx_stride, dest_stride, spans)
  2884.  
  2885. ** this form will be deprecated in 0.1.2 -- use :take instead with the same parameters.
  2886.  
  2887. When :copy is given a table as the first argument (after self), it is taken to be a lookup
  2888. table into that userdata for the start of each span.
  2889.  
  2890.  
  2891. userdata:take(idx, dest, idx_offset, dest_offset, span_len, idx_stride, dest_stride, spans)
  2892.  
  2893. Take values from the userdata at locations specified by idx.
  2894.  
  2895. idx is a i32 userdata, where each value is a flat index into the userdata. When dest is not
  2896. specified, the userdata returned by :take is the same shape as idx.
  2897.  
  2898. src = vec(0,10,20,30,40)
  2899. idx = userdata("i32",4,2)
  2900. idx:set(0,0, 0,2,4,0,2,4,1,3) -- flat indexes into src
  2901. dest = src:take(idx) -- grab 8 values
  2902. ?pod{dest:get()} -- 0,20,40,0,20,40,10,30
  2903.  
  2904. When dest (a userdata of the same type) is given, values are written starting at dest_offset,
  2905. also a flat index.
  2906.  
  2907. Multiple spans can be specified the same way as other userdata operations. Each value in idx
  2908. specifies the start index of a span, and span_len elements are copied from that position in
  2909. the calling userdata.
  2910.  
  2911. The default span_len is 1, in which case the default shape of the output is the same as the
  2912. shape of idx.
  2913.  
  2914. idx_stride is applied between each index, and defaults to 1.
  2915.  
  2916. dest_stride is applied after writing each span. It defaults to span_len.
  2917.  
  2918. To take 3 spans from src, each of length 4:
  2919.  
  2920. src = vec(0,1,2,3,4,5,6,7)
  2921. idx = userdata("i32",3)
  2922. idx:set(0, 3,1,4)
  2923. dest = src:take(idx,nil, 0,0, 4)
  2924.  
  2925. When the length of each span is > 1, the default shape of the output is a row for each span. In
  2926. this case, there are 3 spans starting at positions 3,1 and 4 -- each each span is 4 values. So
  2927. the resulting userdata is 4x3:
  2928.  
  2929. 3 4 5 6
  2930. 1 2 3 4
  2931. 4 5 6 7
  2932.  
  2933. ----------------------------------------------------------------------------------------------------
  2934. Matrices and Vectors
  2935. ----------------------------------------------------------------------------------------------------
  2936.  
  2937. Matrices and vectors can be represented as 2d and 1d userdata of type f64:
  2938.  
  2939. mat = userdata("f64", 4, 4)
  2940. set(mat, 0, 0,
  2941. 1, 0, 0, 0,
  2942. 0, 1, 0, 0,
  2943. 0, 0, 1, 0,
  2944. 0, 0, 0, 1)
  2945.  
  2946. pos = vec(3,4,5)
  2947. ?pos.x -- 3
  2948. pos += vec(10,10,10) -> 13.0, 14.0, 15.0
  2949. pos *= 2 -> 26.0, 28.0, 30.0
  2950. ?v
  2951.  
  2952.  
  2953. matmul(m0, m1, [m_out])
  2954.  
  2955. Multiply two matrixes together. matmul is part of the userdata metatable, so it can also be
  2956. called using the equivalent form: m0:matmul(m1).
  2957.  
  2958. When m_out is given, the output is written to that userdata. Otherwise a new userdata is
  2959. created of width m1:width() and height m0:height().
  2960.  
  2961. As per standard matrix multiplication rules, the width of m0 and the height of m1 must match --
  2962. otherwise no result is returned.
  2963.  
  2964. mat = mat:matmul(mat)
  2965. v2 = vec(0.7,0.5,0.5,1):matmul(mat) -- vector width matches matrix height
  2966.  
  2967.  
  2968. matmul3d(m0, m1, [m_out])
  2969.  
  2970. For 3d 4x4 transformation matrices, matmul3d can be used.
  2971.  
  2972. matmul3d implements a common optimisation in computer graphics: it assumes that the 4th column
  2973. of the matrix is (0,0,0,1), and that the last component of LHS vector (the mysterious "w") is
  2974. 1. Making these assumptions still allows for common tranformations (rotate, scale, translate),
  2975. but reduces the number of multiplies needed, and so uses less cpu.
  2976.  
  2977. matmul3d can be used on any size vector as only the first 3 components are observed, and
  2978. anything larger than a 3x4 userdata for the RHS matrix; again, excess values are ignored.
  2979.  
  2980. So apart from the cpu and space savings, matmul3d can be useful for storing extra information
  2981. within the same userdata (such as vertex colour or uv), as it will be ignored by matmul3d().
  2982. matmul() is less flexible in this way, as it requires unambiguous matrix sizes.
  2983.  
  2984. See /system/demos/carpet.p64 for an example.
  2985.  
  2986. :: Vector methods
  2987.  
  2988. :magnitude()
  2989. :distance(v)
  2990. :dot(v)
  2991. :cross(v, [v_out])
  2992.  
  2993. :: Matrix methods
  2994.  
  2995. :matmul(m, [m_out])
  2996. :matmul2d(m, [m_out])
  2997. :matmul3d(m, [m_out])
  2998. :transpose([m_out])
  2999.  
  3000. Like the per-component operation methods, v_out or m_out can be "true" to write to self.
  3001.  
  3002. Matrix methods always return a 2d userdata, even when the result is a single row. They can only
  3003. be used with f64 userdata (with the exception of :transpose, that can handle any type).
  3004.  
  3005. ----------------------------------------------------------------------------------------------------
  3006. Userdata Memory Functions
  3007. ----------------------------------------------------------------------------------------------------
  3008.  
  3009. The contents of an integer-typed userdata can be mapped to ram and accessed using regular
  3010. memory functions like peek and memcpy. This can be useful for things like swapping colour
  3011. tables in and out efficiently.
  3012.  
  3013.  
  3014. memmap(ud, addr)
  3015.  
  3016. Map the contents of an integer-type userdata to ram.
  3017.  
  3018. addr is the starting memory address, which must be in 4k increments (i.e. end in 000 in
  3019. hex).
  3020.  
  3021. Userdata does not need to be sized to fit 4k boundaries, with one exception: addresses
  3022. below 0x10000 must always be fully mapped, and memmap calls that break that rule return
  3023. with no effect.
  3024.  
  3025.  
  3026. unmap(ud, [addr])
  3027.  
  3028. Unmap userdata from ram. When an address is given, only the mapping at that address is
  3029. removed. This is relevant only when there are multiple mappings of the same userdata to
  3030. different parts of memory.
  3031.  
  3032. unmap(ud) is needed in order for a userdata to be garbage collected, as mapping it to ram
  3033. counts as an object reference. Overwriting mappings with @memmap() is not sufficient to
  3034. release the reference to the original userdata.
  3035.  
  3036.  
  3037. userdata:peek(addr, offset, elements)
  3038.  
  3039. userdata:poke(addr, offset, elements)
  3040.  
  3041. read or write from ram into an integer-typed userdata.
  3042.  
  3043. addr is the address to peek / poke
  3044.  
  3045. offset is the userdata element to start from (flattened 1d index), and len is the number of
  3046. elements to peek/poke.
  3047.  
  3048. For example, to poke a font (which is a pod containing a single u8 userdata) into memory:
  3049.  
  3050. fetch("/system/fonts/p8.font"):poke(0x4000)
  3051.  
  3052. Or to load only the first 4 instruments of a .sfx file:
  3053.  
  3054. fetch("foo.sfx"):poke(0x40000, 0x10000, 0x200 * 4)
  3055.  
  3056. ----------------------------------------------------------------------------------------------------
  3057. Batch GFX Operations
  3058. ----------------------------------------------------------------------------------------------------
  3059.  
  3060. :: Batch GFX Operations
  3061.  
  3062. A userdata can be used to represent lists of arguments to be passed to gfx functions, so that
  3063. multiple draws can be made with only the overhead of a single function call. This is supported
  3064. by @pset, @circfill, @rectfill, @tline3d and @spr.
  3065.  
  3066. The following draws 3 circles:
  3067.  
  3068. args = userdata("f64", 4, 3)
  3069. args:set(0,0,
  3070. 100,150,5,12, -- blue circle
  3071. 200,150,5,8, -- red cricle
  3072. 300,150,5,9) -- orange circle
  3073. circfill(args)
  3074.  
  3075.  
  3076. gfx_func(p, offset, num, num_params, stride)
  3077.  
  3078. p is the f64 userdata -- normally 2d with a row for each call
  3079.  
  3080. offset is the flat offset into the userdata for the first call. Default: 0
  3081.  
  3082. num is the number of gfx calls to make. Default: p:height()
  3083.  
  3084. params is the number of parameters to pass to the gfx function. Default: p:width()
  3085.  
  3086. stride is the number of elements to jump after each call. Default: p:width()
  3087.  
  3088.  
  3089.  
  3090. --------------------------------------------------------------------------------------------
  3091. PICOTRON VERSION HISTORY
  3092. --------------------------------------------------------------------------------------------
  3093.  
  3094. 0.1.1f:
  3095.  
  3096. Added: export foo.p64.png to save a copy of working cartridge (without switching from that working cart)
  3097. Changed: only foreground process can read controller buttons
  3098. Changed: ctrl-p opens picotron menu (useless now but reserved for future)
  3099. Changed: linux uses dynamically loaded libcurl (wget no longer required), mac uses static libcurl
  3100. Fixed: load #foo sometimes fails to fetch cartridge (when no version number specified)
  3101. Fixed: batch cart downloads don't happen in parallel on mac, web (-> slow to open bbs://new/0 etc)
  3102. Fixed: not caching cart fetches under web (now cached per session, but not persisted in IndexedDB)
  3103. Fixed: system level crash when a process include()s itself (temporary hack: can't include file > 256 times)
  3104. Fixed: exported html shell does not block all keypresses when picotron app has focus (e.g. ctrl-s, ctrl-o)
  3105. Fixed: sandboxed dev cartridge can store() to self -- only /appdata and /appdata/shared should be writeable
  3106. Fixed: (regression in 0.1.1e) some gui events are not dispatched when there are multiple active guis
  3107. Fixed: hiding a button on click throws an error // https://www.lexaloffle.com/bbs/?pid=160440#p
  3108.  
  3109.  
  3110. 0.1.1e:
  3111.  
  3112. Added: /system/widgets/owl.p64
  3113. Added: widgets can be installed by dragging any window into the tooltray -- stored in /appdata/system/widgets.pod
  3114. Added: bbs:// protocol // try "BBS Carts" from the Picotron menu
  3115. Added: automatic sandboxing for all bbs carts. /appdata maps to /appdata/bbs/cart_id + restrictions on send_message()
  3116. Added: files created by bbs:// carts are associated (metadata.prog) as a fallback default app to open it.
  3117. Added: open(location) // uses /system/util/open.lua -- can be used by sandboxed cartridges w/ a rate limit
  3118. Added: pitch ratios (TUNE *) can now compound and observe envelopes, RAND, multipliers, be set in ROOT.
  3119. Added: mousewheel to adjust tracker number fields / mb + wheel for inst knobs & fields. hold ctrl for +8,-8
  3120. Added: play music from a separate .sfx file: fetch("music.sfx"):poke(0x80000) music(0,0,nil,0x80000)
  3121. Added: Audio mix volume (0x5538), music mix volume (0x5539) and per-channel volume (0x553a, used by sfx()).
  3122. Added: ud:convert(type) // can convert between any type. f64 values are floored to convert to ints.
  3123. Added: ud:sort(column, desc) // to sort by a given column index and desc==true to sort largest to smallest
  3124. Added: ud:pow(), ud:sgn(), ud:sgn0(), ud:abs()
  3125. Added: ud:transpose() works on any data type
  3126. Added: diagonal flip bit + r to rotate selection in map + gfx editor. Supported by map(), but not tline3d() [yet?]
  3127. Added: gui attributes: squash_to_clip, confine_to_clip, squash_to_parent, confine_to_parent
  3128. Added: squashable windows: window{width=200,height=100,squashable=true} -- /system/demos/squashable.p64
  3129. Added: menuitem() label can be a function that returns the string
  3130. Added: screen / gif captures are named after the active window
  3131. Added: /system/screensavers/xyzine.p64 (run directly to use it interactively)
  3132. Added: desktop support for web in exports (allows exports with tabbed interfaces, gif & png captures, persist /desktop)
  3133. Changed: Per-process RAM limit is 32MB, with 16MB addressable (was 16MB, 16MB)
  3134. Changed: Userdata lookups have a separate function: ud:take(idx,...); *** ud:copy(idx,...) will be removed in 0.1.2!
  3135. Changed: Reduced number of sprite banks from 64 -> 32 (in order to make diagonal flip bit standard)
  3136. Changed: userdata:op() with no args is now a NOP for all ops except :copy; used to use self as RHS which is confusing
  3137. Changed: include() returns the results from loaded function (used to return true) -> can use module loading pattern
  3138. Changed: tweaked default palette for pairings & separation: 16,18,21,24,25,26,31
  3139. Changed: cartridge label stored in ram in qoi format (was png) for faster encoding and .p64.png mounting
  3140. Changed: default sandbox profile for bbs carts relaxed; can read /desktop, can R/W /ram/cart, can launch filenav.p64
  3141. Changed: env().title removed, env().prog_name moved to env().argv[0]
  3142. Changed: get_clipboard() can only read the host clipboard after ctrl-v is pressed inside picotron (security)
  3143. Changed: all gui callbacks always get mx,my,mb (was missing in :update)
  3144. Changed: ?vec(1/3,2,3.1E+234) prints with more precision, and integers without the fractional part (same as ?pod{...})
  3145. Changed: map editor: f,v (and now r) when nothing is selected alters the current brush; not the whole map. cursors moves camera.
  3146. Changed: pal() only charges cpu for colour tables that have changed since last call (~ 2x as fast)
  3147. Changed: escape while running a fullscreen cartridge brings up pause menu. (use alt+L/R to switch to desktop instead)
  3148. Fixed: terminal launched from another terminal sends print() output of launched programs to the parent terminal instead of self
  3149. Fixed: .p64 files still sometimes only partially stored (!) // race condition; introduced atomic disk operations for safety
  3150. Fixed: pending disk changes are not flushed when closing window immediately (<100ms) after copying / saving a cartridge
  3151. Fixed: crash when > 256 carts are mounted in one session due to unneeded cart mounts not being swept
  3152. Fixed: a:take(b2d) returns the correct shape when b is 2d, but only takes the first row of items.
  3153. Fixed: a:copy(nil, dest, ...) does not observe offsets/strides
  3154. Fixed: userdata ops with a scalar and an output e.g. a:add(3, b) -> reads from b instead of a
  3155. Fixed: mutate() does not alter dimensionality
  3156. Fixed: context menu cut / copy callbacks are broken
  3157. Fixed: carts that are folders on host (folders named foo.64) are sorted out of order by ls()
  3158. Fixed: unpod"{foo[hoge]}" crashes
  3159. Fixed: srand() only gives a different seed every second in web player (see rain in /bbs/?tid=142370)
  3160. Fixed: gui element draw() needs to exist for an element's children to be clipped and hidden
  3161. Fixed: scrollbar content is clickable outside of parents even when clip_to_parent is true
  3162. Fixed: abs(), sgn(), min(), max(), mid() are slow (using placeholder lua implementations)
  3163. Fixed: coroutine.resume() doesn't handle nested coroutines -- now just an alias for coresume()
  3164. Fixed: userdata :div(0), :idiv(0) throw an error; should behave same as regular operators (return -min,+max for that type)
  3165. Fixed: pressing space while playing an instrument (in instrument editor) triggers sfx instead of stopping instrument
  3166. Fixed: app menu sometimes appears partially outside visible desktop area (now uses confine_to_clip)
  3167. Fixed: printing strings to terminal ending in \0 does not surpress "newline" // e.g. print("abc\0")print("def")
  3168. Fixed: unpod() always returning floats for numbers stored as integers // ?unpod(pod(3)) -> 3.0, should be 3
  3169. Fixed: tline3d flags in batch operation are ignored
  3170. Fixed: The main instrument tune knob in the sfx editor does not work as expected when set to multiply by just ratios
  3171. Fixed: Sandboxed carts grant read access to the folder they are inside
  3172. Fixed: File dropped from host produces drop_items message without mx, my set (now always center of active window)
  3173. Fixed: Wallpaper process sometimes set as active window (should be uninteractive except for mouse x,y,wheel_* events)
  3174. Fixed: New Cart produces a completely empty cart folder; should match the default cart with main.lua, gfx/, sfx/, map/
  3175. Fixed: Fill tool cursor is broken in gfx editor
  3176. Fixed: ctrl-r, ctrl-m causes key("r"), key("m") to be true in active window
  3177. Fixed: escape halts currently running pwc (run with ctrl-r) when not in that workspace
  3178. Fixed: program corun in terminal can clobber env(), causing subsequent terminal commands to crash (ref: #picovania)
  3179. Fixed: shift-ctrl-r broken // runs the file in the code editor and jumps back to output without restarting program
  3180. Fixed: note() is sometimes delayed or has no audible effect on a channel that was previously used by sfx()
  3181. Fixed: instrument playback logic is broken; should be able to hold, but also to stop long-tail instruments & tracks/music
  3182. Fixed: pause menu doesn't close after selected item and callback returns falsey value
  3183. Fixed: button state persists after closing pause menu (now: each button is ignored until released)
  3184. Fixed: ord() with a negative number of items freezes
  3185. Fixed: circ(x,y,rad) with no colour parameter is a NOP (should draw with current draw colour)
  3186.  
  3187.  
  3188. 0.1.1d:
  3189.  
  3190. Added: batch gfx operations for pset,circfill,rectfill,tline3d,spr // many draws with a single function call
  3191. Added: /system/demos/pixeldust.p64 // demos batch draw operations
  3192. Added: userdata:lerp(offset, len, el_stride, num_lerps, lerp_stride)
  3193. Added: userdata:copy(idx, ...) to perform a copy using idx as a lookup table
  3194. Added: desktop file items close together form stacks (use mousewheel to flip through)
  3195. Added: new context menu structure and items: create, load carts / cut,copy,paste / open cartridge contents
  3196. Added: mouse(new_x, new_y) to warp mouse position // not supported under web [yet]
  3197. Added: filenav: shift-click in list or grid mode for range selection
  3198. Added: filenav list mode: show non-cart folders first with icons
  3199. Changed: some vm inst cost only 1 cycle instead of 2 (same as PICO-8: add, sub, bitwise ops, load*, move, unm)
  3200. Changed: ls() returns non-cart folders first, is case-insensitive, and sorts by numeric values first
  3201. Changed: mousewheel events are passed to the window under the cursor (used to be the active window)
  3202. Fixed: memcpy() freezes when len < 4
  3203. Fixed: i64 userdata indexed writes have no effect // a = userdata("i64",64) a[0] = 3
  3204. Fixed: drawing filled shapes completely outside of clip rectangle sometimes crashes under web (causes illegal read)
  3205. Fixed: undercharging cpu for shapes partially clipped horizontally
  3206. Fixed: overcharging cpu when expensive operation falls near the end of a process slice
  3207. Fixed: host screensaver is blocked while Picotron is running // now using SDL_HINT_VIDEO_ALLOW_SCREENSAVER
  3208. Fixed: fetch("http://..") fails // regression in 0.1.1c -- was handling only https
  3209. Fixed: gif capture: frame delta is wrong when scanline palette (0x5400) changes
  3210. Fixed: music fade in/out speed is slower than requested (was updating once per mix instead of once per tick)
  3211. Fixed: filenav list mode: context menu not updated after right-clicking file
  3212. Fixed: filenav list mode: file modified date missing (now loads from pod metadata when available)
  3213. Fixed: filenav grid mode: when showing many files in grid mode, start to get visual junk
  3214. Fixed: unnecessarily large mix buffer size (regression in 0.1.1c -- made sound triggering / tracker feel laggy)
  3215. Fixed: matmul functions fail when output is same as input (because clobbering input data as generate output)
  3216. Fixed: map editor sprite navigator showing sprites from wrong bank
  3217. Fixed: /desktop/readme.txt stored in binary format by 0.1.1b (0.1.1d now re-saves in host-readable txt format)
  3218. Fixed: ctrl-r in html exports drops to terminal (is meant to reset cartridge)
  3219. Fixed: .p64.png inside an .p64 is listed twice by ls() (and so filenav, ls command etc)
  3220. Fixed: panning position is not reset when audio channel is killed
  3221. Fixed: default instrument 0 data not initialised for new process (relies on loading a default .sfx before using note())
  3222. Fixed: when opening a file in host and in fullscreen, result of the action is not visible (now minimizes self)
  3223. Fixed: pulldown menu: parent.onclose is not called (causes e.g. extra click needed for focus after using context menu)
  3224. Fixed: renaming a file on desktop causes it to jump around
  3225. Fixed: renaming a file via menu drops the original extension when not specified
  3226.  
  3227.  
  3228. 0.1.1c
  3229.  
  3230. Added: inverted drawing for rectfill,circfill,ovalfill // set bit 0x800000000 in col parameter
  3231. Added: ud:mutate(type, width, height) to change the type / size of a userdata object
  3232. Added: cut/copy/paste/delete selected files in filenav
  3233. Added: desktop snap to grid POC -- turn on with: store("/appdata/system/filenav.pod", {snap_to_grid=true})
  3234. Added: /system/demos/birds.p64 // demos /ram/shared/windows.pod subscription pattern + transparent window
  3235. Added: integer divide for f64 userdata // ?vec(-3.1,3.1,5.9) \ 1 --> (-4.0,3.0,5.0)
  3236. Added: sfx(-2, channel_index) to hard kill a channel (leftover state like echos / decay are cut short)
  3237. Added: shift-delete, ctrl-insert, shift-insert shortcuts in code editor to cut, copy and paste
  3238. Added: userdata :max :min // returns the largest / smallest of each element
  3239. Optimised: faster path for shape hspans where span_w >= 16, (window_w&0x7)==0, target_mask==0 (~6M pixels / frame @60fps)
  3240. Optimised: filenav (uses cached render at rest), squishy windows, process blitting used by wm
  3241. Changed: /ram/shared/windows.pod is published by wm every frame
  3242. Changed: mouse cursor position is clamped to display region in host fullscreen (can hide at bottom right pixel)
  3243. Changed: stat(400+chan_index, 12) returns -1 when sfx is not playing.
  3244. Changed: sfx() offset can be negative to create a delay of n rows before notes are issued
  3245. Changed: sfx() channel selection prefers channel 8~15 to reduce accidental clobbering when music starts
  3246. Changed: Debug is not available to sandboxed programs
  3247. Fixed: event handling and menus breaks when using a custom mainloop; "vid(0)::_::flip()goto _" now works
  3248. Fixed: menuitem{id="rename"} does not remove item from menu
  3249. Fixed: menuitem() calls from non-active windows clobbering app menu (was affecting filenav)
  3250. Fixed: icons missing on drive.loc and readme.txt after fresh install
  3251. Fixed: capture.p64 doesn't respect video mode
  3252. Fixed: p8scii control character \^c missing -- \^d, \a is still missing, but probably won't support in Picotron
  3253. Fixed: filenav menu shows file ops for a single file when multiple files are selected (confusing)
  3254. Fixed: nil + vec(1) hard crashes // nil values should be treated as 0 for userdata ops
  3255. Fixed: dormant music channels that become active are played up to one mix buffer out of sync (erf!)
  3256. Fixed: text input buffer spills into textfield when it becomes active ~ should clear on gaining focus
  3257. Fixed: tracker playback following is broken when first track is empty, or when gui play button is used
  3258. Fixed: pressing enter in tracker should clear selection or insert a row otherwise, but not both
  3259. Fixed: ctrl-c to copy patterns in tracker cuts them
  3260. Fixed: off by 1 when blitting process displays to negative positions // causes red pixel in corner of squishy windows
  3261. Fixed: "picotron -home foo" host crashes when foo doesn't exist
  3262. Fixed: wrangle.lua crashes when opening legacy pods that do not have .revision in metadata
  3263. Fixed: gif encoder leaves inter-frame junk for colour 63 when using scanline display palette 3
  3264. Fixed: read mask not applied for non-aligned spans while drawing shapes with target mask == 0
  3265. Fixed: tonum(bool) doesn't return 0 or 1 (PICO-8 behaviour)
  3266. Fixed: mousewheel message is propagated to parent of scrollbox (should consume)
  3267. Fixed: Unable to send small number between processes // was happening for values serialised with scientific notation
  3268. Fixed: default tab width doesn't line up with monospace font ._.
  3269.  
  3270.  
  3271. 0.1.1b
  3272.  
  3273. Fixed: wm crash when trying to set workspace to "tooltray" when show_in_workspace == nil
  3274. Fixed: _rm not defined in fs.lua (causing "load #foo" to fail)
  3275. Fixed: gif recording initialisation sometimes fails silently and produces .gif of size 0
  3276.  
  3277.  
  3278. 0.1.1
  3279.  
  3280. Added: html exporter: export foo.html // single self-contained html file that can run locally
  3281. Added: web support (bbs/exports): /appdata storage (IDBFS), mouselock(), extended gamepad (twin-stick + SL,SR)
  3282. Added: gif capture // ctrl+8 to start, ctrl+9 to end -- max 16 seconds
  3283. Added: capture.p64 tool - can be opened with with shift+ctrl+6 or shift+ctrl+8 to select a region from anywhere
  3284. Added: FX:FILTER:RES knob can be multiplied by FX:FILTER:LOW for better resonant peak behaviour
  3285. Added: FX:SHAPE:MIX knob can be multiplied by the instrument's root node volume
  3286. Added: store("foo.bin", "some binary string\0\1\2\3", {metadata_format="none"}) to generate raw host file output
  3287. Added: adaptive battery saver: drop down to 30fps when idle for 500ms, and not running fullscreen app or /ram/cart
  3288. Added: sandboxing // WIP -- used by web bbs player to prevent carts from being able to clobber each other's data
  3289. Added: semi-transparent notification bar
  3290. Added: show selected colour index in sprite editor
  3291. Added: headless script execution: picotron -x foo.lua (experimental! foo.lua must be inside picotron's drive)
  3292. Added: picotron -home foo // to specify a home folder where config.txt / default drive is stored
  3293. Changed: show_in_workspace taken defaults to true when creating a window
  3294. Fixed: filenav is slow with many / large files // improved fstat(), fetch_metadata()
  3295. Fixed: segfault when too many ord() results
  3296. Fixed: pod("abc\0def", 0x0) only encodes "abc"
  3297. Fixed: reading a cartridge as a file (fetch"foo.p64") immediately after its content changes returns the older version
  3298. Fixed: screenshots do not observe scaneline palette
  3299. Fixed: time() is wrong when battery saver is active
  3300. Fixed: removed EXIT from pause menu when running in BBS player
  3301. Fixed: stale audio ram mixed after poking to unmapped pages (is supposed to mark as dirty and send to pfx6416)
  3302. Fixed: slide effects use same keys as SFX navigation (-, +) --> should block navigation when cursor is in fx channel!
  3303. Fixed: sound is not paused when pause menu is active
  3304. Fixed: arpeggios a-00, b-00 producing high-pitched when group of 4 contains empty rows
  3305. Fixed: stereo mixing broken under web
  3306.  
  3307.  
  3308. 0.1.0h
  3309.  
  3310. Added: PFX6416 effects: tremelo, vibrato, wibble, slide, fade, arps, retrigger, cut, delay, pan
  3311. Added: PFX6416 stereo mixing, + wide instruments (allows nodes to have separate panning position)
  3312. Added: tracker interface: thumbnails, channel output scopes, cursor/playback following, re-order instrument nodes
  3313. Added: tracker can now handle up to 64 instruments, 384 SFXs and 128 patterns
  3314. Added: text editor shortcuts: ctrl+e (end), ctrl+w (staWt), ctrl+up (same as ctrl-home), ctrl+down
  3315. Added: text editor operations: ctrl+b (block comment) ctrl+d (duplicate) shift+enter (add "end" and indent), ctrl+l
  3316. Added: monospace toggle button in code editor's app menu
  3317. Added: file modification events // on_event("modified:/foo.txt", function(msg) end)
  3318. Added: select/copy/paste multiple items (shift+drag/click): sprites, instruments, SFXs, patterns
  3319. Added: gfx editor: batch resize and flag modification, shift to snap shape tools, 1,2 to switch colours
  3320. Added: run command // similar to ctrl-r, but can pass commandline arguments
  3321. Added: "Fullscreen:Window" in settings to be multi-monitor friendly (uses a borderless window)
  3322. Added: memory accounting: max 16MB per process (stat(0)) // total Lua allocations + 4k ram pages allocated on write
  3323. Added: fget / fset supports reading/writing a single bit // fget(n, b), fset(n, b, val)
  3324. Added: unmap(ud, addr) to unmap only one userdata that may still be mapped elsewhere
  3325. Added: userdata :peek(addr) :poke(addr) // e.g. can fetch("/system/fonts/p8.font"):poke(0x4000)
  3326. Added: map() can take tile_w, tile_h as the last two parameters (integers); defaults to 0x550e, 0x550f
  3327. Added: userdata:row(), userdata:column()
  3328. Added: ord("abc",1,3) multiple return values
  3329. Changed: resonance knob in filter FX tweaked to have a more even distribution of values
  3330. Changed: ctrl+left/right in text editor skips whitespace
  3331. Changed: memmap(ud, addr) (was memmap(addr, ud) -- that legacy form is still supported)
  3332. Changed: maximum values that can be poked / peeked in a single call: 65536
  3333. Changed: map() does not draw (or charge for) spr 0 by default // for old behaviour: poke(0x5f36, 0x8)
  3334. Changed: foldback uses a more usual triangle function instead of cosine (sounds similar, but less harmonic junk)
  3335. Changed: many cpu accounting adjustments to get closer to real-world cost
  3336. Optimised: transparent window blits (filenav.p64 on desktop), and pal() calls use less host cpu
  3337. Fixed: crash when blit()ing to a region outside the target, but partially inside source userdata (0.1.0g fix was incomplete)
  3338. Fixed: thread contention slowing down tracker while playing music in pattern mode on low end machines
  3339. Fixed: text editor: doesn't handle trailing newline in selection
  3340. Fixed: text editor: cursor x position is lost when moving across short lines
  3341. Fixed: text editor: shift-tab on selection does nothing when line starts with spaces instead of tabs
  3342. Fixed: can't use file wrangler from /ram/cart; e.g. file open -> filenav launches terminal instead of /ram/cart
  3343. Fixed: when saving a cart with ctrl+S, files deleted in /ram/cart are not also removed from the rewritten .p64
  3344. Fixed: window{pauseable=false} doesn't disable pausing on Enter for fullscreen apps
  3345. Fixed: changing draw target or display size does not release the old userdata for garbage collection
  3346. Fixed: palt() ignores single integer parameter (is means to act as a 64-bit bitfield)
  3347. Fixed: tline3d crash on tiles that use flip bits // now supports tile flipping
  3348. Fixed: map editor slow when zoomed out and/or there are more than a few layers
  3349. Fixed: can not assign integer userdata element to a real number using flat indexing // get_draw_target()[0] = 9.1
  3350. Fixed: matmul cpu cost is wrong for large matrices (was charging for only w*h multiplies instead of w*h*h)
  3351. Fixed: scalar-userdata operations with scalar on LHS treated as if RHS ((2/vec(1))[0] == 0.5 instead of 2.0
  3352. Fixed: userdata:tranpose() broken for non-square matrices
  3353. Fixed: f64 userdata loses its data type on copy (as reported by :attribs())
  3354. Fixed: resetting a cartridge from the pause menu sometimes kills it
  3355. Fixed: doubletap / doubleclick message firing even when two clicks are far apart
  3356. Fixed: global mute setting not observed
  3357. Fixed: (web) multiple webaudio mixer on reset / open multiple carts in one bbs thread (causes speedup / glitches)
  3358.  
  3359.  
  3360. 0.1.0g
  3361.  
  3362. Added: pause menu for fullscreen programs (ENTER -> continue, toggle sound, reset cartridge, exit)
  3363. Added: file extension associations. To specify a default app: default_app vgfx /apps/tools/veditor.p64
  3364. Added: shortcuts: ctrl-home, ctrl-end in code/text editor; ctrl-a (home) and ctrl-d (delete) in terminal
  3365. Changed: .sfx format and resource loader now stores 256k by default (space for 398 SFX; is backwards compatible)
  3366. Changed: Open File and New File (via app menu) always open in the program that requested it (ref: VisiTrack, VGFX)
  3367. Changed: Can not rename a file over an existing filename in filenav
  3368. Fixed: sometimes boot into an invalid workspace and need to switch back and forth to mend
  3369. Fixed: web player: audio, key(), touch controls (but only P8 buttons for now)
  3370. Fixed: the first file change logged by anywhen each day is stored as the newly written version instead of the old version
  3371. Fixed: stray globals in terminal: k, res, cproj_draw, cproj_update
  3372. Fixed: node output missing in instrument designer
  3373. Fixed: crash when blit()ing from outside of source bitmap // was happening when using magnifying glass at bottom right
  3374. Fixed: magnifying glass drawing black as transparent
  3375. Fixed: btn(), btnp() when no _update() callback exists only works via ctrl-r and not when run directly from desktop / terminal
  3376. Fixed: several types of crackles / discontinuities in audio mixer, mostly relating to echo nodes
  3377. Fixed: SFXs 64 and above are not initialised to "empty" (instead, zeroed data that shows up as C0's)
  3378. Fixed: some ctrl- combinations produce a textinput event. e.g. ctrl-1 // explicitly blocked in events.lua
  3379. Fixed: (Mac) icon is slightly too big
  3380. Fixed: (Mac) Option key not mapped to "alt"
  3381. Fixed: cursor in terminal doesn't wrap with command string
  3382. Fixed: Locked mouse speed is different along X & Y (partial fix)
  3383. Fixed: Moving a folder inside itself causes folder to be deleted
  3384. Fixed: crash if call clip() in _init (before a display is created)
  3385.  
  3386.  
  3387. 0.1.0f
  3388.  
  3389. Added: reboot
  3390. Added: logged disk writes for backups / versioning ("anywhen" in settings)
  3391. Added: load cart.p64@2024-04-06_14:00:00 to load a cart from the past (or just @14:00 for short if same day -- local time)
  3392. Added: date() can take a time to convert (string or epoch time) and a delta: date(nil, "2024-02-01_15:00:00", delta_secs)
  3393. Added: stat(87) for timezone delta in seconds (add to local time to get UTC)
  3394. Added: drag and drop host files into picotron (copied to /ram/drop -- not mounted) -> generates a "drop_items" message
  3395. Added: drop a png into gfx editor to load it (colour fits to current display palette)
  3396. Added: filenav: open files or folder on host via app menu ("View in Host OS")
  3397. Added: can fetch .p64 host files directly as binary strings // same semantics as fetching "https://...foo.p64"
  3398. Added: PICO-8 style string indexing; ?("abcde")[4] --> "d" ?("abcde")[02] --> nil
  3399. Added: btnp() repeat rates (follows PICO-8: initial repeat delay: @5f5c, subsequent delays at @5f5d specified at 30fps)
  3400. Added: >>, << operators for integer userdata
  3401. Added: Row markers in tracker pattern view +
  3402. Added: mouselock(true, event_sensitivity, movement_sensitivity) -- mouselock(false) to disable; dx,dy = mouselock()
  3403. Added: tline3d dev flags (last param): 0x100 skip last pixel; 0x200 apply sub-pixel adjustment // see: /bbs/?tid=141647
  3404. Added: music() fade in and out
  3405. Changed: increased userdata ops per cycle (2x for mul,div,mod; 4x for others)
  3406. Changed: ls() sorts results with (non-cart) folders first by default
  3407. Changed: renamed create_diff / apply_diff -> create_delta / apply_delta
  3408. Changed: timestamps shown by about.p64 and default tooltray clock show local times
  3409. Changed: when pixel_perfect is off, blitter prescales to 960x540 (still quite blurry though)
  3410. Changed: screenshots stored to /desktop/host -- a folder automatically mounted on host at {Desktop}/picotron_desktop
  3411. Changed: cp, mv take -f flags (required if copying over an existing folder / cartridge)
  3412. Fixed: trailing slash for folders on tab complete in filenav, terminal
  3413. Fixed: delete key + AltGr not working in terminal
  3414. Fixed: tracker note keys using mapped key names -- should be raw scancode layout
  3415. Fixed: tracker knobs hard to use when close to edge of the screen (now using mouselock and finer sensitivity)
  3416. Fixed: using keyboard controls while a game controller is plugged in causes ghost button presses
  3417. Fixed: ceil(1.0) returns 2 ._.
  3418. Fixed: crash on multiplying userdata by scalar on LHS // ?(tostring (1 * vec(1, 1, 1)))
  3419. Fixed: redundant cartridge file flushing (writes that happen within 300ms are now batched)
  3420. Fixed: search for an empty spot on desktop to create dropped files
  3421. Fixed: key() / keyp() returns false when received keyup and keydown messages in same frame (should be true for 1 frame)
  3422. Fixed: keyboard btn() responds to keypress one frame late
  3423. Fixed: memmap(0x8000) crashes // update: can't unmap pages like this, can only unmap by userdata: unmap(ud)
  3424. Fixed: high dpi display modes blurry [not sure if will be fixed in 0.1.0f]
  3425. Fixed: fetching https:// forces url to be lowercase
  3426. Fixed: LFO phase knob ignored
  3427.  
  3428.  
  3429. 0.1.0e
  3430.  
  3431. Added: sfx tracker: undo / selections / copy + paste single instruments / track data / patterns
  3432. Added: gfx bank selection in map editor
  3433. Added: pixel_perfect x stretch: each axis separately uses largest integer multiple that fits
  3434. Added: hold down ctrl x 2 to boot into terminal (useful for recovering from borked configurations)
  3435. Added: create new tab flow: guess file extension from other files in the target folder when none is given
  3436. Added: home/end/ctrl+e in terminal to control cursor position
  3437. Changed: palt(1) sets colour 0 as transparent, not 63 (departure from P8 style)
  3438. Fixed: double listings of .p64 files in /
  3439. Fixed: host folders called foo.p64 collapse back into .p64 files on save (but still happens on mv / cp)
  3440. Fixed: flip bits not observed when drawing with map()
  3441. Fixed: map editor draws an out of bounds row and column at bottom and right
  3442. Fixed: workspace icons lose transparency after using magnifying glass
  3443. Fixed: \n\r pasted from windows creates overlapping lines in code editor (now filtered out)
  3444. Fixed: host keypresses getting through to Picotron (alt+tab, ctrl+alt+left/right)
  3445. Fixed: filenav crashes when actioning intention with a filename that can not be resolved
  3446. Fixed: can not use AltGR during text entry
  3447. Fixed: default key mappings: command keys & delete were missing in 0.1.0d
  3448. Fixed: bad keycodes.pod / scancodes.pod format causes wm crash on boot
  3449.  
  3450. 0.1.0d
  3451.  
  3452. Added: default keyboard mapping for key()/keyp() uses host OS layout by default
  3453. Added: can map multiple physical keys to a single virtual key
  3454. Added: sfx len (becomes loop0 when loop1 > len)
  3455. Added: warning on startup when the /system version does not match the build version
  3456. Changed: about.p64 now shows/edits the metadata of /ram/cart by default (i.e. just type: about)
  3457. Changed: rename triplane.p64 to biplane.p64 (need to re-select it again from wallpapers)
  3458. Fixed: /system rom in 0.1.0c was the wrong version! (caused map drawing and other things to break)
  3459. Fixed: (Windows) rm does not delete host folders
  3460. Fixed: (Mac) crashes after ~13.5 minutes
  3461. Fixed: host system user data paths are clipped at non-ascii characters
  3462.  
  3463. 0.1.0c
  3464.  
  3465. Added: custom map tile sizes (taken from sprite 0)
  3466. Added: layer naming and ordering (the first layer in the list is now drawn on top)
  3467. Added: mget(), mset(), ceil()
  3468. Added: async remote fetch (put it in a coroutine)
  3469. Added: /system/util: shutdown pwd info
  3470. Added: right click on desktop to create new file / get file info
  3471. Added: /appdata/system/keycodes.pod to map virtual key (to a raw name or directly to scancode)
  3472. // store("/appdata/system/keycodes.pod", {a="q",z="w",q="a",w="z",m=51})
  3473. Added: future version checking; a separate runtime version number is stored with each cart.
  3474. Added: delete file menu item in filenav (moves a single file to /ram/compost)
  3475. Added: send_message(pid, {msg=..., _delay = 2}) to send a delayed message (_delay is in seconds)
  3476. Changed: filenames can contain hyphens
  3477. Changed: terminal searches for commands in current path /after/ standard paths (/system/util, ..)
  3478. Changed: added more undo checkpoints to the text editor
  3479. Changed: gui elements must explicitly :set_keyboard_focus(true) on click to consume textinput events
  3480. Changed: screenshots and untitled cart filenames are given an integer suffix to reduce collisions
  3481. Changed: when saving a file with no extension, wrangler automatically adds the default filename extension
  3482. Changed: track (sfx) length can be specified pico-8 style by increasing loop0 (memory layout doesn't change)
  3483. Fixed: load #bbs_id twice over the same local file -> fails to unmount the first cartridge
  3484. Fixed: audio lock causing random crashes on Mac (tentative ~ not sure if that was the cause or the only cause)
  3485. Fixed: cp allows copying to inside self (-> crash; e.g. when save cart to /ram/cart)
  3486. Fixed: reset() does not reset scanline palette selection bits at 0x5400
  3487. Fixed: (Mac) vertical red line junk on letterboxed area in fullscreen mode
  3488. Fixed: (Windows) printh doesn't send anything to terminal
  3489. Fixed: drop file into a folder exactly when it opens --> hard freeze (wm crashes)
  3490. Fixed: when dragging files and move mouse quickly, offset from mouse doesn't match original position
  3491. Fixed: flr("garbage") causes runtime error (should return 0 to match PICO-8 behaviour)
  3492. Fixed: text editor operations (undo, indent, double click select) stop working after using search
  3493. Fixed: width/height fields dump earlier keypress junk + no way to delete characters
  3494. Fixed: msg.has_pointer not always set when it should be (--> cursor not changing on window title)
  3495. Fixed: msg.mx, msg.my absolute values for draw callbacks; should be relative to gui element
  3496. Fixed: no printh output under Windows (switched to using SDL_Log)
  3497. Fixed: ctrl+6 screenshot while in video mode 3 or 4 is not scaled to cover the 480x270 output
  3498. Fixed: flashing when windowed cartridge runs at < 60fps with a custom display palette (e.g. inst editor)
  3499. Fixed: flashing when video mode 3 or 4 running at < 60fps
  3500. Fixed: filenav selects .loc files (drive.loc) as target to save over instead of opening it like a folder
  3501. Fixed: corrupted /desktop/drive.loc due to aforementioned bug -- now automatically mended on startup
  3502. Fixed: run bells.p64 and then enter tracker -> audio is mixed from left over junk state
  3503. Fixed: note entry sometimes does not play in pattern editing mode
  3504. Fixed: can edit track that is not currently visible
  3505. Fixed: ASDR release is calculated incorrectly (is way too long) when played in track view
  3506. Fixed: clipping: tline3d (w is wrong), spr() when flipped
  3507.  
  3508.  
  3509. 0.1.0b
  3510.  
  3511. Added: system event logging in log.txt (same folder as picotron_config.txt)
  3512. Added: /appdata/system/scancodes.pod to remap physical key scancode
  3513. // e.g. store("/appdata/system/scancodes.pod", {lctrl=57})
  3514. Changed: apple option / windows menu keys are mapped to "ctrl"
  3515. Fixed: Default mapping of lctrl is wrong
  3516. Fixed: Windows file saving generating corrupt data (opened in text instead of binary mode)
  3517. Fixed: Crash when reading corrupted lz4 pods -- now returns a nil object
  3518. // (& deals with existing corrupt settings.pod)
  3519. Fixed: Windows BSOD on boot
  3520. Fixed: Button mappings wrong for controller index 1 and above
  3521.  
  3522.  
  3523. 0.1.0 First release of binaries
  3524.  
  3525.  
  3526.  
Tags: picotron
Add Comment
Please, Sign In to add comment