Mapping script

From Mudlet
Jump to navigation Jump to search

Mudlet's mapper is split into two parts for the best compatibility on all MUDs - the display and functions in Mudlet, and a per-MUD Lua script that tracks where you are, allows mapping and provides aliases for using the mapper.

Pre-made mapping scripts are available from Mudlet forums.

Making your own mapping script

If you'd like to code your own mapping script, see the Mapper API and read on for a short tutorial.

To start off, create a new script that'll be included with your mapping script (can even place it into the script folder for your mapping script), and have it do:

<lua> mudlet = mudlet or {}; mudlet.mapper_script = true </lua>

This'll let Mudlet know that a mapping script is installed, so it won't bother you or whoever else installs your script with a warning that one is necessary.

Next, you want to hook into Mudlet's gotoRoom(id) function and the user clicking on a room in the visual map - for that, define your own doSpeedWalk() function. Mudlet will store the directions / special exits commands your script will need to take in the speedWalkDir table, and the room IDs you'll pass through in the speedWalkPath table:

<lua> function doSpeedWalk()

 echo("Path we need to take: " .. table.concat(speedWalkDir, ", ") .. "\n")
 echo("Rooms we'll pass through: " .. table.concat(speedWalkPath, ", ") .. "\n")

end </lua>

speedWalkPath is especially useful for making sure you're still on the path. Most Mudlet mapping scripts keep track of how many rooms along the path they have visited so far and check upon arrival into a new room to make sure it's still on the path.

That's it! From here, you'd want to build a walking script that'll send the commands to walk you along the path, along with aliases for the user to use.

Translating directions

Several functions in the mapper API take and return #'s for directions - and to make it easier to work with them, you can define a table that maps directions to those numbers in a script with the following:

<lua> exitmap = {

 n = 1,
 north = 1,
 ne = 2,
 northeast = 2,
 nw = 3,
 northwest = 3,
 e = 4,
 east = 4,
 w = 5,
 west = 5,
 s = 6,
 south = 6,
 se = 7,
 southeast = 7,
 sw = 8,
 southwest = 8,
 u = 9,
 up = 9,
 d = 10,
 down = 10,
 ["in"] = 11,
 out = 12,
 [1] = "north",
 [2] = "northeast",
 [3] = "northwest",
 [4] = "east",
 [5] = "west",
 [6] = "south",
 [7] = "southeast",
 [8] = "southwest",
 [9] = "up",
 [10] = "down",
 [11] = "in",
 [12] = "out",

} </lua>

Then, using exitmap[input], you'll get a direction number or a direction name. Here's an example that uses it to work out in which directions are the exit stubs available in room 6:

<lua> lua local stubs = getExitStubs(6) for i = 0, #stubs do print(exitmap[stubs[i]]) end </lua>