Compare commits

..

1 Commits

Author SHA1 Message Date
jay 6a1ab4dd91 feat(builder): 🚧 add cover plugin for mycellium 3 years ago
  1. 16
      .gitattributes
  2. 59
      .gitignore
  3. 4
      .vscode/settings.json
  4. 54
      lib/index.js
  5. 71
      lib/plugins/command.js
  6. 32
      lib/plugins/eater.js
  7. 2
      lib/plugins/guard.js
  8. 280
      lib/plugins/informer.js
  9. 107
      lib/plugins/mover.js
  10. 217
      lib/plugins/mycellium.js
  11. 588
      lib/plugins/statemachine.js
  12. 24
      package.json

16
.gitattributes vendored

@ -1,16 +0,0 @@
# See this article for reference: https://help.github.com/articles/dealing-with-line-endings/
# Refreshing repo after line ending change:
# https://help.github.com/articles/dealing-with-line-endings/#refreshing-a-repository-after-changing-line-endings
# Handle line endings automatically for files detected as text
# and leave all files detected as binary untouched.
* text=auto
#
# The above will handle all files NOT found below
#
# These files are text and should be normalized (Convert crlf => lf)
# Use lf as eol for these files
*.js text eol=lf
*.ts text eol=lf
*.json text eol=lf

59
.gitignore vendored

@ -1,31 +1,30 @@
# See https://help.github.com/articles/ignoring-files/ for more about ignoring files. # See https://help.github.com/articles/ignoring-files/ for more about ignoring files.
# dependencies # dependencies
/node_modules /node_modules
/.pnp /.pnp
.pnp.js .pnp.js
# testing # testing
/coverage /coverage
# production # production
/build /build
/data
# misc
# misc .DS_Store
.DS_Store .env
.env .env.local
.env.local .env.development.local
.env.development.local .env.test.local
.env.test.local .env.production.local
.env.production.local /lib/**/*.old
/lib/**/*.old /lib/**/*.bak
/lib/**/*.bak
npm-debug.log*
npm-debug.log* yarn-debug.log*
yarn-debug.log* yarn-error.log*
yarn-error.log*
# Editor
# Editor *.swp
*.swp
*.swo *.swo

@ -3,8 +3,6 @@
"command", "command",
"mover", "mover",
"sleeper", "sleeper",
"informer", "informer"
"statemachine",
"builder"
] ]
} }

@ -1,8 +1,8 @@
const env = require("dotenv-packed").parseEnv().parsed const env = require("dotenv-packed").parseEnv().parsed
const fs = require('fs'); const fs = require('fs');
const cfg = { let cfg = {
admin: process.env.MINECRAFT_PLAYER_ADMIN || env.MINECRAFT_PLAYER_ADMIN || console.warn("main: bot admin user not provided"), admin: "Applezaus",
mods: process.env.MINECRAFT_PLAYER_MODS || env.MINECRAFT_PLAYER_MODS || [], // json array, mods: ["Applezaus", "tanner6", "Angram42", "[WEB] Angram42", "[WEB] Applezaus"],
stateMachines: {} stateMachines: {}
} }
@ -29,28 +29,25 @@ cfg.botOptions = options
let plugins = {} let plugins = {}
function loadplugin(pluginname, pluginpath = './plugins/' + pluginname) { function loadplugin(pluginname, pluginpath) {
try { try {
plugins[pluginname] = require(pluginpath) plugins[pluginname] = require(pluginpath)
plugins[pluginname].load(cfg) plugins[pluginname].load(cfg)
} catch (error) { } catch (error) {
if (error.code == 'MODULE_NOT_FOUND') { if (error.code == 'MODULE_NOT_FOUND') {
console.warn('plugin not used:', pluginpath) console.warn('plugin not used:', pluginpath)
} else if (plugins[pluginname] && !plugins[pluginname].load) {
unloadplugin(pluginname, pluginpath)
} else { } else {
console.error(error) console.error(error)
} }
} }
} }
function unloadplugin(pluginname, pluginpath = './plugins/' + pluginname) { function unloadplugin(pluginname, pluginpath) {
pluginpath = pluginpath ? pluginpath : './plugins/' + pluginname
const plugin = require.resolve(pluginpath) const plugin = require.resolve(pluginpath)
try { try {
if (plugin && require.cache[plugin]) { if (plugin && require.cache[plugin]) {
// `unload()` isn't exported sometimes, require.cache[plugin].exports.unload()
// when plugin isn't properly loaded
require.cache[plugin].exports?.unload?.()
delete plugins[pluginname] delete plugins[pluginname]
delete require.cache[plugin] delete require.cache[plugin]
} }
@ -59,28 +56,20 @@ function unloadplugin(pluginname, pluginpath = './plugins/' + pluginname) {
} }
} }
function reloadplugin(event, filename, pluginpath = './plugins/') { reloadplugin = (event, filename, pluginpath) => {
if (!/\.js$/.test(filename)) { return } if (!/\.js$/.test(filename)) { return }
filename = filename.replace("\\", "/") // windows
if (!cfg.fsTimeout) { if (!cfg.fsTimeout) {
console.info(event, filename) console.info(event, filename)
const fullpluginpath = pluginpath + filename pluginpath = (pluginpath ? pluginpath : './plugins/') + filename
const pluginname = (filename.split(".js")[0]).replace(/\/.+/, "")
pluginpath = pluginpath + pluginname
const hassubplugin = fullpluginpath.replace(/\.js$/, "") !== pluginpath
const check = Object.keys(cfg.plugins) const check = Object.keys(cfg.plugins)
console.info(`reload file: ./lib/${fullpluginpath}`) console.info(`reload file:`, pluginpath)
const plugin = require.resolve(fullpluginpath) const plugin = require.resolve(pluginpath)
if (plugin && require.cache[plugin]) { if (plugin && require.cache[plugin]) {
// console.debug(Object.keys(cfg.plugins)) // console.debug(Object.keys(cfg.plugins))
unloadplugin(pluginname) unloadplugin(filename.split(".js")[0], pluginpath)
console.assert(Object.keys(cfg.plugins).length == check.length - 1, "plugin not removed, potential memory leak") console.assert(Object.keys(cfg.plugins).length == check.length - 1, "plugin not removed, potential memory leak")
if (hassubplugin) {
console.info("reload: also unloading sub")
unloadplugin(pluginname, fullpluginpath)
}
} }
loadplugin(pluginname) loadplugin(filename.split(".js")[0], pluginpath)
if (Object.keys(cfg.plugins).length != check.length) { if (Object.keys(cfg.plugins).length != check.length) {
// If left < right : // If left < right :
// - new plugin that's not registered in cfg.plugins, so added // - new plugin that's not registered in cfg.plugins, so added
@ -94,11 +83,10 @@ function reloadplugin(event, filename, pluginpath = './plugins/') {
// console.log('file.js %s event', event) // console.log('file.js %s event', event)
} }
fs.watch('./lib/plugins', { recursive: true }, reloadplugin) fs.watch('./lib/plugins', reloadplugin)
cfg.bot = bot cfg.bot = bot
// TODO better name, or switch to array cfg.botAddress = new RegExp(`^${bot.username} (!.+)`)
cfg.botAddressPrefix = '!'
cfg.quiet = true cfg.quiet = true
@ -107,23 +95,19 @@ cfg.quiet = true
bot.once("spawn", () => { bot.once("spawn", () => {
plugins = { plugins = {
command: require('./plugins/command'), command: require('./plugins/command'),
informer: require('./plugins/informer'), eater: require('./plugins/eater'),
inventory: require('./plugins/inventory'), inventory: require('./plugins/inventory'),
informer: require('./plugins/informer'),
finder: require('./plugins/finder'), finder: require('./plugins/finder'),
mover: require('./plugins/mover'),
sleeper: require('./plugins/sleeper'), sleeper: require('./plugins/sleeper'),
eater: require('./plugins/eater'),
armor: require('./plugins/armor'), armor: require('./plugins/armor'),
mover: require('./plugins/mover'),
guard: require('./plugins/guard'), guard: require('./plugins/guard'),
// miner: require('./plugins/miner.js'), // miner: require('./plugins/miner.js'),
statemachine: require('./plugins/statemachine'), // statemachine: require('./plugins/statemachine'),
} }
cfg.plugins = plugins cfg.plugins = plugins
// cfg.botAddressPrefix = ${bot.username.substr(-2,2)}
cfg.botAddressRegex = new RegExp(`^${bot.username}:? (/|${cfg.botAddressPrefix}.+)`)
// FIXME leaks every load, so adding here instead of command.js to load only once
bot.addChatPattern("web", /\[WEB\] (\[.+\])?\s*([\w.]+): (.+)/, { parse: true })
for (const plugin of Object.values(plugins)) { for (const plugin of Object.values(plugins)) {
try { try {

@ -27,13 +27,14 @@ function checkItemExists(name) {
} }
const events = { const events = {
whisper: function command_whisper(username, _botusername, message, ...history) { whisper: function command_whisper(username, message) {
if ([bot.username, "me"].includes(username)) return // whisper back from server (afk msges, etc) if ([bot.username, "me"].includes(username)) return
if (/^gossip/.test(message)) return if (/^gossip/.test(message)) return
// if (/^!/.test(message) && username === cfg.admin){
if (username === cfg.admin) { if (username === cfg.admin) {
console.info("whispered command", _botusername, message)
message = message.replace("\\", "@") message = message.replace("\\", "@")
if (message.startsWith(cfg.botAddressPrefix)) { console.info("whispered command", message)
if (/^!/.test(message)) {
command(username, message) command(username, message)
} else { } else {
bot.chat(message) bot.chat(message)
@ -41,7 +42,7 @@ const events = {
} }
} else { } else {
bot.whisper(cfg.admin, `gossip ${username}: ${message}`) bot.whisper(cfg.admin, `gossip ${username}: ${message}`)
console.info(username, "whispered", _botusername, message) console.info(username, "whispered", message)
} }
} }
, chat: command , chat: command
@ -56,38 +57,11 @@ const events = {
}, 15 * 60 * 1000, bot, cfg); }, 15 * 60 * 1000, bot, cfg);
} }
} }
// , message: systemMessage
, messagestr: function systemMessageStr(...args) { console.log("cmd msgstr:", ...args) }
, "chat:web": commandWeb
}
function systemMessage(...args) {
if (args[0]?.text) return
const metadata = (args[0]?.extra || args[0]?.with)?.map(v => v.text)
console.log(
"cmd msg:",
args[0]?.text || args[0]?.translate,
args[0]?.extra?.length || args[0]?.with?.length || Object.keys(args[0]?.json).length - 1,
metadata.length > 0 && metadata || args[0],
args.slice(1)
)
}
function commandWeb([[mode, username, message]]) {
// console.log("web msg:", mode, username, message)
message && command(username, message)
}
function _clientSystemMessage(...args) {
console.log("cmd chat:", args[0]?.message, args[0]?.extra?.length, args[0]?.extra, args[0], args.slice(1))
} }
const events_registered = [] const events_registered = []
function command(username, message) { function command(username, message) {
// TODO better name, maybe an array?
cfg.botAddressPrefix = cfg.botAddressPrefix || "!"
function fuzzyRespond(responses, probability = 1, timeout = 1) { function fuzzyRespond(responses, probability = 1, timeout = 1) {
if (Math.random() < probability) { if (Math.random() < probability) {
const response = responses[Math.floor(Math.random() * responses.length)] const response = responses[Math.floor(Math.random() * responses.length)]
@ -102,7 +76,7 @@ function command(username, message) {
} }
} }
if (username === bot.username && !message.startsWith(cfg.botAddressPrefix)) return if (username === bot.username && !message.startsWith("!")) return
const player = bot.players[username] ? bot.players[username].entity : null const player = bot.players[username] ? bot.players[username].entity : null
@ -114,12 +88,11 @@ function command(username, message) {
} }
if (message.startsWith(cfg.botAddressPrefix) || cfg.botAddressRegex.test(message)) { if (message.startsWith("!") || cfg.botAddress.test(message)) {
message = cfg.botAddressRegex.test(message) ? cfg.botAddressRegex.exec(message)[1] : message message = cfg.botAddress.test(message) ? cfg.botAddress.exec(message)[1] : message
console.log(message)
// remove `!`
message = message.startsWith(cfg.botAddressPrefix) ? message.slice(cfg.botAddressPrefix.length) : message
console.log(message)
message = message.slice(1) // remove `!`
// TODO command dispatchEvent, for aliases // TODO command dispatchEvent, for aliases
function subcommand(message) { function subcommand(message) {
const message_parts = message.split(/\s+/) const message_parts = message.split(/\s+/)
@ -320,7 +293,7 @@ function command(username, message) {
switch (message_parts[1]) { switch (message_parts[1]) {
case "me": case "me":
if (player) { if (player) {
bot.lookAt(player.position.offset(0, 1, 0)) bot.lookAt((new v.Vec3(0, 1, 0)).add(player.position))
} else { } else {
cfg.quiet || bot.chat("can't see you") cfg.quiet || bot.chat("can't see you")
} }
@ -337,7 +310,7 @@ function command(username, message) {
break break
default: default:
const aPlayer = bot.players[message_parts[2]] ? bot.players[message_parts[2]].entity : null const aPlayer = bot.players[message_parts[2]] ? bot.players[message_parts[2]].entity : null
if (aPlayer) bot.lookAt(aPlayer.position.offset(0, 1, 0)) if (aPlayer) bot.lookAt((new v.Vec3(0, 1, 0)).add(aPlayer.position))
break; break;
} }
break break
@ -354,7 +327,7 @@ function command(username, message) {
} }
break break
case "info": case "info":
cfg.plugins.informer.command(message_parts.splice(1), player) cfg.plugins.informer.command(message_parts.splice(1))
break break
// case "use": // case "use":
// bot.useOn(bot.nearestEntity()) // bot.useOn(bot.nearestEntity())
@ -431,16 +404,6 @@ function command(username, message) {
break break
} }
break; break;
case "sm":
case "step":
cfg.plugins.statemachine?.command?.(
message_parts[0] == "sm" ? message_parts.slice(1) : message_parts, player
)
// TODO refactor into plugin detection and command exec function
// safecommand(plugin_name, message_parts, player)
// message_parts includes command?
|| bot.chat("statemachine plugin not loaded")
break
case "location": case "location":
// TODO put in /lib/location // TODO put in /lib/location
switch (message_parts[1]) { switch (message_parts[1]) {
@ -498,7 +461,7 @@ function command(username, message) {
case "howdy": case "howdy":
case "heyo": case "heyo":
case "yo": case "yo":
if (player) bot.lookAt(player.position.offset(0, 1, 0)) if (player) bot.lookAt((new v.Vec3(0, 1, 0)).add(player.position))
// TODO sneak // TODO sneak
// function swingArm() { // function swingArm() {
@ -545,8 +508,6 @@ const load = (config) => {
bot.on(key, fn) bot.on(key, fn)
) )
} }
// bot._client.on("chat", _clientSystemMessage)
} }
const unload = () => { const unload = () => {
@ -556,8 +517,6 @@ const unload = () => {
events_registered.shift() events_registered.shift()
} }
console.log("events_registered:", bot._eventsCount) console.log("events_registered:", bot._eventsCount)
// bot._client.off("chat", _clientSystemMessage)
} }
module.exports = { load, unload, events_registered, command } module.exports = { load, unload, events_registered, command }

@ -2,7 +2,11 @@ let cfg = {}
let bot = {} let bot = {}
let isEating = false let isEating = false
function eat(callback = e => e && console.error(e)) { function callbackHandle(err) {
if (err) console.error(err)
}
function eat(callback) {
isEating = true isEating = true
const foodNames = require('minecraft-data')(bot.version).foodsArray.map((item) => item.name) const foodNames = require('minecraft-data')(bot.version).foodsArray.map((item) => item.name)
@ -33,23 +37,23 @@ function eat(callback = e => e && console.error(e)) {
bot.equip(best_food, 'hand', function (error) { bot.equip(best_food, 'hand', function (error) {
if (error) { if (error) {
console.warn(error, best_food) console.error(error)
isEating = false isEating = false
bot.emit('eat_stop') bot.emit('eat_stop')
} else { } else {
try { bot.consume(function (err) {
bot.consume().catch(error => { if (err) {
if (error.message === "Food is full") { console.error(err)
console.warn(error, best_food) isEating = false
} else { bot.emit('eat_stop')
return callback({ error, best_food }) return callback(err)
} } else {
}).finally(() => {
isEating = false isEating = false
bot.emit('eat_stop') bot.emit('eat_stop')
}) callback(null)
} catch { } if (!bot.food === 20) eat(callbackHandle)
if (bot.food !== 20) eat(callback) }
})
} }
}) })
} }
@ -72,7 +76,7 @@ function checkFood() {
// TODO implement better idle state // TODO implement better idle state
) || true // idle most likely ) || true // idle most likely
) { ) {
eat() eat(callbackHandle)
} }
} }
} }

@ -71,7 +71,9 @@ function lookForMobs() {
bot.pvp.attack(entityEnemy) bot.pvp.attack(entityEnemy)
} else if (entityEnemy) { } else if (entityEnemy) {
bot.lookAt( bot.lookAt(
// (new v.Vec3(0, 1, 0)).add(
entityEnemy.position entityEnemy.position
// )
) )
cfg.quiet || bot.chat("AH! A creeper! They creep me out!") cfg.quiet || bot.chat("AH! A creeper! They creep me out!")
} }

@ -1,104 +1,38 @@
let cfg
let bot let bot
let mcData let mcData
let quiet
// import v from 'vec3'
const v = require('vec3') const v = require('vec3')
let cfg = { function block(pos) {
info: { const block = pos ? bot.blockAt(v(pos)) : bot.blockAtCursor()
quiet: quiet, console.log(block, block && block.getProperties())
recentCommand: null,
},
// to satisfy typescript
quiet: null,
bot: bot
}
var RelativePosEnum
(function (RelativePosEnum) {
RelativePosEnum[RelativePosEnum["feet"] = 0] = "feet"
RelativePosEnum[RelativePosEnum["standing"] = 1] = "standing"
RelativePosEnum[RelativePosEnum["head"] = 2] = "head"
RelativePosEnum[RelativePosEnum["looking"] = 3] = "looking"
RelativePosEnum[RelativePosEnum["infront"] = 4] = "infront"
RelativePosEnum[RelativePosEnum["behind"] = 5] = "behind"
})(RelativePosEnum || (RelativePosEnum = {}))
function relPosToBlock(entity, relPos) {
let pos
if (!(relPos in RelativePosEnum)) return console.warn("info: not a relative position:", relPos)
relPos = typeof relPos === "number" ? RelativePosEnum[relPos] : relPos
switch (relPos) {
case "feet":
pos = entity.position;
break
case "standing":
pos = entity.position.offset(0, -1, 0)
break
// todo use CARDINAL directions api from pathfinder
// case "behind":
// entity.yaw
// pos = entity.position
// break
// case "front":
// case "infront":
// pos = entity.position
// break
case "head":
pos = entity.position.offset(0, 1.85, 0)
break
case "looking":
if (entity === bot.entity) {
return bot.blockAtCursor()
// return bot.blockInSight(128, 128)
}
default:
quiet || bot.chat(`info: pos '${relPos}' not implemented`)
break
}
if (pos) {
// nearest block
return bot.blockAt(pos)
}
}
function isVec3(vec) {
return vec?.length === 3 || vec.x && vec.y && vec.z
}
function block(entity = bot.entity, pos = entity?.position?.offset(0, -1, 0)) {
console.assert(pos || entity)
const block = isVec3(pos) ? bot.blockAt(v(pos))
: typeof pos === "string" ? relPosToBlock(entity, RelativePosEnum[pos]) : pos
console.log(block, block?.getProperties && block.getProperties())
if (!block) { if (!block) {
quiet || bot.chat("empty block") cfg.quiet || bot.chat("empty block")
return block return block
} }
bot.lookAt(block?.position)
let info = [block.type, block.name] let info = [block.type, block.name]
if (block.metadata) info.push(Object.entries(block.getProperties())) if (block.metadata) info.push(Object.entries(block.getProperties()))
quiet || bot.chat(info.join(": ")) cfg.quiet || bot.chat(info.join(": "))
} }
function item( function item(
entity = bot.entity, slot,
slot = entity.heldItem entity = bot.entity
) { ) {
const item = typeof slot === "number" ? const item = slot ?
bot.inventory.slots[slot + bot.QUICK_BAR_START] : bot.inventory.slots[parseInt(slot) + bot.QUICK_BAR_START] :
slot entity.heldItem
console.log("info item:", item) console.log(item)
if (!item) { if (!item) {
quiet || bot.chat("no item") cfg.quiet || bot.chat("no item")
return item return item
} }
let info = [item.type, item.name, item.count] let info = [item.type, item.name]
if (item.metadata) info.push("meta: " + item.metadata.length) if (item.metadata) info.push("meta: " + item.metadata.length)
if (item.nbt) { if (item.nbt) {
info.push(compound_value(item.nbt)) info.push(compound_value(item.nbt))
} }
quiet || bot.chat(info.join("; ")) cfg.quiet || bot.chat(info.join("; "))
function compound_value(obj) { function compound_value(obj) {
if (typeof obj.value == "object") { if (typeof obj.value == "object") {
return compound_value(obj.value) return compound_value(obj.value)
@ -116,148 +50,38 @@ function item(
return item return item
} }
var VillagerProfession function entity(name) {
(function (VillagerProfession) { const entity = bot.nearestEntity((entity) => {
VillagerProfession[VillagerProfession["Unemployed"] = 0] = "Unemployed" const ename = entity.name || entity.username
VillagerProfession[VillagerProfession["Armourer"] = 1] = "Armourer" return name && ename ? ename == name : true
VillagerProfession[VillagerProfession["Butcher"] = 2] = "Butcher" })
VillagerProfession[VillagerProfession["Cartographer"] = 3] = "Cartographer" console.log(entity)
VillagerProfession[VillagerProfession["Cleric"] = 4] = "Cleric"
VillagerProfession[VillagerProfession["Farmer"] = 5] = "Farmer"
VillagerProfession[VillagerProfession["Fisherman"] = 6] = "Fisherman"
VillagerProfession[VillagerProfession["Fletcher"] = 7] = "Fletcher"
VillagerProfession[VillagerProfession["Leatherworker"] = 8] = "Leatherworker"
VillagerProfession[VillagerProfession["Librarian"] = 9] = "Librarian"
VillagerProfession[VillagerProfession["Mason"] = 10] = "Mason"
VillagerProfession[VillagerProfession["Nitwit"] = 11] = "Nitwit"
VillagerProfession[VillagerProfession["Shepherd"] = 12] = "Shepherd"
VillagerProfession[VillagerProfession["Toolsmith"] = 13] = "Toolsmith"
VillagerProfession[VillagerProfession["Weaponsmith"] = 14] = "Weaponsmith"
})(VillagerProfession || (VillagerProfession = {}))
function entity(name = bot.nearestEntity()) {
const entity = typeof name === "string" ? (name = name.toLowerCase()) && bot.nearestEntity((entity) => {
const enames = [entity.username?.toLowerCase(), entity.name, entity.displayName?.toLowerCase()]
return enames.includes(name)
}) : name
console.log("info entity:", entity)
if (!entity) { if (!entity) {
quiet || bot.chat("no entity") cfg.quiet || bot.chat("no entity")
return entity return entity
} }
entity?.position && bot.lookAt(entity.position) let info = [entity.type, entity.name || entity.username]
let info = [(entity.entityType && entity.entityType + ":" || "") + (entity.type === "object" ? entity.kind : entity.type)]
info.push(entity.username || entity.name)
// TODO various info depending on the type of entity; player, villager, etc
// TODO refactor and combine with compound_value()
switch (entity.type) {
case "object":
switch (entity.kind) {
case "Drops":
const item = entity.metadata[7];
entity.metadata;
if (item.present) {
info.push("item: " + item.itemId + ": "
+ mcData.items[item.itemId].name
+ `x${item.itemCount}`);
}
else {
console.warn("info entity: metadata expected item, got:", entity.metadata[7]);
}
break;
default:
}
break;
case "mob":
switch (name) {
case 'villager':
const { villagerProfession, ...otherProps } = entity.metadata[17]
info.push(VillagerProfession[villagerProfession])
info.push(Object.entries(otherProps).toString())
break
default:
break
}
entity.metadata[8] && info.push("health:" + entity.metadata[8])
entity.metadata[15] && info.push("baby")
if (entity.heldItem) {
info.push("holding")
item(entity)
}
case "global":
case "orb":
case "player":
break;
case "other":
info.push("kind:" + entity.kind)
default:
}
if (entity.metadata) info.push("len: " + entity.metadata.length) if (entity.metadata) info.push("len: " + entity.metadata.length)
quiet || bot.chat(info.join("; ")) cfg.quiet || bot.chat(info.join("; "))
return entity
} }
function blockOrItemFromId(num, quiet = cfg.info.quiet) { function command(message_parts) {
const block = mcData?.blocks[num]
const item = mcData?.items[num]
// const entity = mcData?.entities[num]
if (block || item) {
quiet || bot.chat(
(block && `block: ${block.name}, ` || "")
+ (item && `item: ${item.name}, ` || "")
// + (entity && `entity: ${entity.name}, ` || "")
)
} else {
quiet || bot.chat("info: nonexistent block or item")
}
return { block, item }
}
function command(message_parts, player) {
if (message_parts.length > 0) {
cfg.info.recentCommand = message_parts
}
if (player === null)
player = void 0
switch (message_parts.length) { switch (message_parts.length) {
case 0: case 0:
if (cfg.info.recentCommand) { // TODO most recent command?
command(cfg.info.recentCommand, player) block()
} else {
// TODO dispatch on instance of entity, block, etc..
// TODO have the logic inside the function or with a utility function
block()
}
break; break;
case 1: case 1:
switch (message_parts[0]) { switch (message_parts[0]) {
case "quiet":
cfg.info.quiet = quiet = !quiet;
quiet || bot.chat(`info: ${quiet ? "" : "not "}being quiet`);
break;
case "i":
case "item": case "item":
item() item()
break break
case "e":
case "entity": case "entity":
entity() entity()
break break
case "me":
block(player)
break
case "b":
case "block": case "block":
block()
break
default: default:
const num = parseInt(message_parts[0]) block()
if (isFinite(num)) {
blockOrItemFromId(num)
} else {
quiet || bot.chat("info usage: `!info [me|i|e|b|<num>|quiet]`")
}
break; break;
} }
@ -265,47 +89,9 @@ function command(message_parts, player) {
case 2: case 2:
switch (message_parts[0]) { switch (message_parts[0]) {
case "i":
case "item": case "item":
switch (message_parts[1]) { item(message_parts[1])
case "me":
item(player)
break
default:
const slot = parseInt(message_parts[1])
slot && item(undefined, slot)
break
}
break
case "b":
case "block":
switch (message_parts[1]) {
case "me":
block(player)
break
default:
const aPlayer = bot.players[message_parts[1]]
if (message_parts[1] in RelativePosEnum) {
block(undefined, message_parts[1])
} else if (aPlayer) {
if (aPlayer.entity) {
block(aPlayer.entity)
} else {
quiet || bot.chat(`info: player ${aPlayer.username} too far!`)
}
} else {
// or entity(message_parts[1]).position
console.log(bot.players[message_parts[1]])
quiet || bot.chat("info: not yet implemented")
}
}
break break
case "me":
if (message_parts[1] in RelativePosEnum) {
block(player, message_parts[1])
}
break
case "e":
case "entity": case "entity":
default: default:
entity(message_parts[1]) entity(message_parts[1])
@ -315,25 +101,25 @@ function command(message_parts, player) {
case 4: case 4:
switch (message_parts[0]) { switch (message_parts[0]) {
case "b":
case "block": case "block":
default: default:
block(undefined, message_parts.slice(1)) block(message_parts.slice(1))
break; break;
} }
break; break;
default: default:
cfg.quiet || bot.chat("info: unknown command")
break; break;
} }
} }
const load = (config) => { const load = (config) => {
config.info = cfg.info
cfg = config cfg = config
bot = cfg.bot bot = cfg.bot
cfg.info = {
quiet: cfg.quiet,
}
mcData = bot.mcData || (bot.mcData = require('minecraft-data')(bot.version)) mcData = bot.mcData || (bot.mcData = require('minecraft-data')(bot.version))
} }

@ -11,32 +11,20 @@ let movements = []
function initMoves(bot = bot, mcData = bot.mcData) { function initMoves(bot = bot, mcData = bot.mcData) {
console.info(movements)
if (movements.length > 0) { if (movements.length > 0) {
bot.pathfinder.setMovements(movements.defaultMove) bot.pathfinder.setMovements(movements.defaultMove)
return console.warn("go init: movements already initialized!", movements) return console.warn("movements already initialized!")
} }
const normalMove = new Movements(bot, mcData) let defaultMove = new Movements(bot, mcData)
normalMove.canDig = false defaultMove.canDig = false
normalMove.scafoldingBlocks.push(mcData.blocksByName.slime_block.id) defaultMove.scafoldingBlocks.push(mcData.blocksByName.slime_block.id)
normalMove.blocksCantBreak.add(mcData.blocksByName.glass.id) defaultMove.blocksCantBreak.add(mcData.blocksByName.glass.id)
normalMove.blocksToAvoid.add(mcData.blocksByName.magma_block.id) defaultMove.blocksToAvoid.add(mcData.blocksByName.magma_block.id)
movements.push(normalMove) movements.push(defaultMove)
movements.defaultMove = movements[0] movements.defaultMove = movements[0]
const aggresiveMove = new Movements(bot, mcData) bot.pathfinder.setMovements(defaultMove)
//Object.create or assign?
Object.assign(aggresiveMove, normalMove)
aggresiveMove.canDig = true
movements.push(aggresiveMove)
const safeMove = new Movements(bot, mcData)
Object.assign(safeMove, normalMove)
safeMove.allowParkour = false
safeMove.canDig = false
movements.push(safeMove)
// console.info("go init: moves:", movements)
bot.pathfinder.setMovements(normalMove)
} }
@ -94,69 +82,9 @@ function follow(entity, dynamic = true, distance = 3) {
bot.pathfinder.setGoal(new GoalFollow(entity, distance), dynamic) bot.pathfinder.setGoal(new GoalFollow(entity, distance), dynamic)
} }
function away(entity = bot.nearestEntity(), invertInvert = true, dynamic = true, distance = 10) {
const currentGoal = bot.pathfinder.goal
console.assert(currentGoal || entity)
const { GoalInvert } = require('mineflayer-pathfinder').goals
bot.pathfinder.setMovements(movements.defaultMove)
if (!currentGoal) {
const { GoalFollow } = require('mineflayer-pathfinder').goals
if (entity.entity) {
console.log("go away entity:", entity, entity.entity)
entity = entity.entity
}
cfg.quiet || bot.chat(
`going away from ${entity?.type
}: ${entity?.username || entity?.displayName
}${dynamic ? "" : " once"}`
)
// alternative implementation
// follow(entity, dynamic, distance)
// bot.pathfinder.setGoal(new GoalInvert(bot.pathfinder.goal), dynamic)
return bot.pathfinder.setGoal(new GoalInvert(
new GoalFollow(entity, distance)
), dynamic)
}
if (currentGoal instanceof GoalInvert) {
const currEntity = currentGoal.goal.entity
console.log("go away inverse goal:", currentGoal.goal)
if (invertInvert) {
cfg.quiet || bot.chat(
`switching towards ${currentGoal.goal?.constructor.name
}: ${currEntity?.type
}: ${currEntity?.username || currEntity?.displayName
}${dynamic ? "" : " once"}`
)
bot.pathfinder.setGoal(currentGoal.goal, dynamic)
} else {
cfg.quiet || bot.chat(
`already going away from ${currentGoal.goal?.constructor.name
}; not switching`
)
}
} else {
const currEntity = currentGoal.entity
console.log("go away goal:", currentGoal)
cfg.quiet || bot.chat(
`going away from ${currentGoal?.constructor.name
}: ${currEntity?.type
}: ${currEntity?.username || currEntity?.displayName
}${dynamic ? "" : " once"}`
)
bot.pathfinder.setGoal(new GoalInvert(currentGoal), dynamic)
}
}
function ride(entity) { function ride(entity) {
entity = entity?.entity || entity entity = entity?.entity || entity
const ridableMobs = ["Horse", "Donkey", "Pig", "Strider", "Mule"] const ridableMobs = ["Horse", "Donkey", "Pig", "Strider"]
const vehicle = entity && typeof entity !== "string" ? entity : bot.nearestEntity(e => { const vehicle = entity && typeof entity !== "string" ? entity : bot.nearestEntity(e => {
if (typeof entity === "string") return e.name === entity if (typeof entity === "string") return e.name === entity
const maybeRidableMob = e.mobType?.split(" ") const maybeRidableMob = e.mobType?.split(" ")
@ -179,9 +107,8 @@ function ride(entity) {
function moveOrRide(turn = false, reverse = -1, directionLabel, message_parts2) { function moveOrRide(turn = false, reverse = -1, directionLabel, message_parts2) {
// bot.once("attach", state = "vehiccel") // bot.once("attach", state = "vehiccel")
if (bot.vehicle) { if (bot.vehicle) {
// FIXME moveVehicle should be +-1 or 0? const amount = parseInt(message_parts2[0]) || 10 * -reverse
const amount = parseInt(message_parts2[0]) * -reverse bot.moveVehicle(turn && amount || 0, !turn && amount || 0)
bot.moveVehicle(turn && Math.sign(amount) || 0, !turn && amount || 0)
} else { } else {
command([directionLabel].concat(message_parts2)) command([directionLabel].concat(message_parts2))
} }
@ -303,11 +230,6 @@ function command(message_parts, player) {
case "mount": case "mount":
ride(message_parts2[0]) ride(message_parts2[0])
break break
case "away":
case "run":
case "runaway":
away()
break
case "w": case "w":
case "f": case "f":
moveOrRide(0, -1, "forward", message_parts2) moveOrRide(0, -1, "forward", message_parts2)
@ -324,11 +246,6 @@ function command(message_parts, player) {
case "r": case "r":
moveOrRide(1, 1, "left", message_parts2) moveOrRide(1, 1, "left", message_parts2)
break break
case "up":
case "u":
case "j":
moveOrRide(1, 1, "jump", message_parts2)
break
case "back": case "back":
case "forward": case "forward":
case "jump": case "jump":

@ -0,0 +1,217 @@
// const mineflayer = require('mineflayer')
// let pathfinder
// const { pathfinder, Movements, goals } = require('mineflayer-pathfinder')
const { Vec3 } = require('vec3')
// const { GoalFollow, GoalNear } = goals
let GoalFollow, GoalNear
// const mcData = require('minecraft-data')('1.16.5')
let mcData
// let bot = mineflayer.createBot()
let bot
let cfg = { bot: null }
let timer
let movements
/* let mcData
bot.once('spawn', () => {
mcData = require('minecraft-data')(bot.version)
}) */
function stopCovering(quiet = cfg.quiet, resetGoal = true) { // This is a function to stop the cover() loop when called
if (timer) {
clearTimeout(timer);
timer = null;
}
if (resetGoal) bot.pathfinder.setGoal(null)
bot.stopDigging()
quiet || bot.chat("stopped covering")
}
function init() {
const { Movements, goals } = require('mineflayer-pathfinder')
GoalFollow = goals.GoalFollow
GoalNear = goals.GoalNear
movements = new Movements(bot, mcData)
movements.canDig = true // Lets the bot dig
bot.pathfinder.setMovements(movements)
console.info("mycelium start")
stopCovering(true)
bot.waitForChunksToLoad(cover)
}
function cover(timeInt = 1000) {
if (!Number.isSafeInteger(timeInt)) {
console.log("cover int maybe goal?", timeInt)
switch (timeInt.message) {
case "No path to the goal!":
console.info("Cover: can't reach")
cfg.quiet || bot.chat("can't reach")
break;
default:
break;
}
if (timeInt) {
timeInt = 5000
}
} else if (timeInt < 300) {
timeInt = 1000
}
const wool = "white_wool"
const wool_item = mcData.itemsByName[wool]
const inventoryWool = bot.inventory.findInventoryItem(wool_item.id)
// console.info(wool_item.id, inventoryWool)
// if (!inventoryWool) return
// bot.loadPlugin(pathfinder)
const myceliumClean = bot.findBlock({ // Const that is a brown_mushroom
maxDistance: 6,
matching: (block) => {
// First check the type
// lol
// const { brown_mushroom, red_mushroom, white_wool } = mcData.blocksByName
// if ([brown_mushroom.id, red_mushroom.id, white_wool.id].includes(block?.type)) {
const { brown_mushroom, red_mushroom, } = mcData.blocksByName
if ([brown_mushroom.id, red_mushroom.id,].includes(block?.type)) {
// If position is defined, you can refine the search
if (block.position) {
const blockBelow = bot.blockAt(block.position.offset(0, -1, 0))
return blockBelow?.type === mcData.blocksByName.mycelium.id || blockBelow?.type === mcData.blocksByName.spruce_fence.id // Makes sure there is mycelium below
}
return true // otherwise return always true (there is water in the section so it should be checked)
}
return false
}
})
function findMycelium(dist = 5) {
return bot.findBlock({
maxDistance: dist,
matching: (block) => {
// First check the type
if (block?.type === mcData.blocksByName.mycelium.id) { // Const that is a mycelium block
// If position is defined, you can refine the search
if (block.position) {
const blockAbove = bot.blockAt(block.position.offset(0, 1, 0))
return !blockAbove || blockAbove?.type === mcData.blocksByName.air.id // Makes sure there is nothing above
}
return true // otherwise return always true (there is water in the section so it should be checked)
}
return false
}
})
}
let mycelium = findMycelium()
if (myceliumClean) {
// bot.dig(myceliumClean, true)
bot.dig(myceliumClean)
}
if (mycelium) {
timeInt = 500
if (bot.heldItem?.type !== wool_item.id) { // Equips wool if not already
if (!inventoryWool || inventoryWool.count < 10) { // Checks if there is less than 10 wool in the bots inventory
timeInt = 5000
console.warn("no wool")
// const chestLocation = new Vec3(10614, 70, 5350) // Sets chest location
const chestLocation = bot.findBlock({
maxDistance: 100,
matching: block => block && block.type === mcData.blocksByName.chest.id
})?.position // Sets chest location
const chestGoal = new GoalNear(chestLocation.x, chestLocation.y, chestLocation.z, 6) // Sets goal to chest location
return bot.pathfinder.goto(chestGoal, () => { // Run code below when it gets to the chest
bot.lookAt(chestLocation, true) // Looks at chest
const chest = bot.openChest(bot.blockAt(chestLocation)) // Sets const to for opening chest
chest.once('open', (err) => { // Opens chest
if (err) {
return console.error('Chest error', err)
}
const chest_item = chest.items().filter(item => item.type === wool_item.id)
console.info(chest, chest_item)
if (chest_item.length > 0) { // Checks that there is stuff in chest
try {
// Pulls out a chest (27 stack) of wool
// chest.withdraw(chest_item[0].type, null, 64 * 27)
chest.withdraw(chest_item[0].type, null, 64 * 3)
} catch (error) {
console.error('Chest withdraw error', error)
}
bot.once("close", cover)
} else {
console.log('Chest dont have', wool_item)
cfg.quiet || bot.chat(`Not enough ${wool} in chest`)
stopCovering()
}
setTimeout(chest.close, timeInt)
})
})
} else {
bot.equip(wool_item.id, "hand")
}
} else {
const pos = mycelium.position
bot.lookAt(pos, true)
// let tryCount = 0
const flooredPos = bot.entity.position.floored()
if (flooredPos.offset(0, 1, 0).distanceTo(pos) <= 2) {
bot.setControlState('jump', true)
if (bot.entity.position.y > mycelium.position.y) {
bot.placeBlock(mycelium, new Vec3(0, 1, 0), (err) => {
setTimeout(bot.setControlState, 2000, 'jump', false)
if (err) {
console.error('Place (jumped)', err)
}
})
}
} else {
bot.placeBlock(mycelium, new Vec3(0, 1, 0), (err) => {
if (err) {
if (err.message !== `No block has been placed : the block is still ${wool}`) {
return console.error('Place (normal)', err)
} else {
return
}
}
})
}
}
} else {
mycelium = findMycelium(100)
if (mycelium) {
const pos = mycelium.position
const goal = new GoalNear(pos.x, pos.y, pos.z, 3)
stopCovering(true)
timeInt = 2000
return bot.pathfinder.goto(goal, cover)
} else {
stopCovering(true)
return cfg.quiet || bot.chat("no uncovered mycelium nearby")
}
}
timer = setTimeout(cover, timeInt, timeInt)
}
function command(params) {
stopCovering(true)
cover()
}
const load = (config) => {
cfg = config
bot = cfg.bot
mcData = bot.mcData || (bot.mcData = require('minecraft-data')(bot.version))
pathfinder = bot.pathfinder || bot.loadPlugin(require('mineflayer-pathfinder').pathfinder)
init()
}
const unload = () => {
stopCovering(true)
}
module.exports = { load, unload, command, cover, stopCovering }

@ -1,479 +1,115 @@
// import { createMachine, interpret, InterpreterStatus } from "xstate"; // Load your dependency plugins.
const { createMachine, interpret, InterpreterStatus } = require('xstate');
// import { access, mkdir, writeFile, readFile } from "fs"; const {pathfinder} = require('mineflayer-pathfinder')
const { access, mkdir, writeFile, readFile } = require('fs'); // bot.loadPlugin(require('prismarine-viewer').mineflayer)
// ANGRAM_PREFIX='MINECRAFT' // const mineflayerViewer = require('prismarine-viewer').mineflayer
const { MINECRAFT_DATA_FOLDER } = process.env || require("dotenv-packed").parseEnv().parsed;
const storage_dir = MINECRAFT_DATA_FOLDER || './data/' + "/sm/"; // Import required behaviors.
// import { createBot } from "mineflayer" const {
// let { pathfinder, Movements, goals } = require('mineflayer-pathfinder') StateTransition,
// let cfg BotStateMachine,
// let bot = createBot({ username: 'statebot' }) EntityFilters,
let bot; BehaviorFollowEntity,
let quiet; BehaviorLookAtEntity,
let updateRate = 20; BehaviorGetClosestEntity,
const machines = { NestedStateMachine,
list: {}, BehaviorIdle,
running: {}, StateMachineWebserver,
}; } = require("mineflayer-statemachine");
let webserver;
let cfg = { // TODO chat
statemachine: {
webserver: null,
// quiet: true,
quiet: quiet, // wait for our bot to login.
list: {}, function statemachineInit() {
running: {}, cfg.botAddress = new RegExp(`^${bot.username} (!.+)`)
draft: null, // This targets object is used to pass data between different states. It can be left empty.
recent: null, const targets = new Object();
// debug: null,
debug: true, // Create our states
updateRate: updateRate const getClosestPlayer = new BehaviorGetClosestEntity(
} bot, targets, entity => EntityFilters().PlayersOnly(entity) && bot.entity.position.distanceTo(entity.position) <= 50 ); // && a.username !== bot.username);
// FIXME temp variables to satisfy typescript autocomplete const followPlayer = new BehaviorFollowEntity(bot, targets);
// , quiet: null const lookAtPlayer = new BehaviorLookAtEntity(bot, targets);
, const stay = new BehaviorIdle();
bot: bot,
plugins: { statemachine: null } // Create our transitions
}; const transitions = [
// Edit your machine(s) here
function init(smName = "dummy", webserver) { // We want to start following the player immediately after finding them.
access(storage_dir, err => { // Since getClosestPlayer finishes instantly, shouldTransition() should always return true.
if (err?.code === 'ENOENT') { new StateTransition({
mkdir(storage_dir, e => e && console.warn("sm init: create dir", e)); parent: getClosestPlayer,
} child: followPlayer,
else if (err) { onTransition: (quiet) => quiet || bot.chat(`Hi ${targets.entity.username}!`),
console.warn("sm init: create dir", err); shouldTransition: () => bot.entity.position.distanceTo(targets.entity.position) <= 50,
} // shouldTransition: () => getClosestPlayer.distanceToTarget() < 100 || console.info("player too far!") && false,
}); }),
// const machine = newSM(smName)
// machine.states.idle.on.TOGGLE = "start" // If the distance to the player is less than two blocks, switch from the followPlayer
// machine.states.start.on.TOGGLE = "idle" // state to the lookAtPlayer state.
const machine = createMachine({ new StateTransition({
id: smName, parent: followPlayer,
initial: "idle", child: lookAtPlayer,
states: { // onTransition: () => console.log(targets),
idle: { shouldTransition: () => followPlayer.distanceToTarget() < 2,
on: { TOGGLE: "start", NEXT: "start", PREV: "look", STOP: "finish" } }),
},
start: { // If the distance to the player is more than two blocks, switch from the lookAtPlayer
on: { TOGGLE: "look", NEXT: "look", PREV: "idle" }, // state to the followPlayer state.
entry: 'lookAtPlayerOnce', new StateTransition({
}, parent: lookAtPlayer,
look: { child: followPlayer,
on: { TOGGLE: "idle", NEXT: "idle", PREV: "start" }, shouldTransition: () => lookAtPlayer.distanceToTarget() >= 5,
// entry: ['look', 'blah'] }),
// entry: 'lookAtPlayerOnce', new StateTransition({
activities: 'lookAtPlayer', parent: lookAtPlayer,
meta: { debug: true } child: stay,
}, onTransition: () => bot.chat("ok, staying"),
finish: { // shouldTransition: () => true,
type: 'final' }),
}, new StateTransition({
}, parent: stay,
on: { START: '.start', STOP: '.idle' }, child: getClosestPlayer,
meta: { debug: true }, // shouldTransition: () => Math.random() > 0.01,
context: { player: null, rate: updateRate }, // shouldTransition: () => Math.random() > 0.1 && getClosestPlayer.distanceToTarget() < 2,
}, { }),
actions: { ];
// action implementation
lookAtPlayerOnce: (context, event) => { // Now we just wrap our transition list in a nested state machine layer. We want the bot
const player = context?.player && (context?.player?.isValid || context?.player?.entity?.isValid) // to start on the getClosestPlayer state, so we'll specify that here.
|| bot.nearestEntity(entity => entity.type === 'player'); const rootLayer = new NestedStateMachine(transitions, getClosestPlayer, stay);
if (player?.position || player?.entity) {
context.player = player; // We can start our state machine simply by creating a new instance.
bot.lookAt((player.entity || player).position.offset(0, 1, 0)); cfg.stateMachines.follow = new BotStateMachine(bot, rootLayer);
} const webserver = new StateMachineWebserver(bot, cfg.stateMachines.follow);
} webserver.startServer();
},
activities: { // mineflayerViewer(bot, { port: 3000 })
lookAtPlayer: (context, event) => { // const path = [bot.entity.position.clone()]
const player = (context?.player?.isValid || context?.player?.entity?.isValid) && context?.player // bot.on('move', () => {
|| bot.nearestEntity(entity => entity.type === 'player' && entity.isValid); // if (path[path.length - 1].distanceTo(bot.entity.position) > 1) {
// TODO check pos every event? // path.push(bot.entity.position.clone())
if (player?.position || player?.entity) { // bot.viewer.drawLine('path', path)
context.player = player; // }
function looks() { // })
bot.lookAt((player.entity || player).position.offset(0, 1, 0));
}
bot.on("time", looks);
return () => bot.off("time", looks);
}
else {
quiet || bot.chat("look: no valid players");
// TODO use xstate logger
context.debug && console.log("sm: no valid player", this, context, player);
}
}
},
delays: {
/* ... */
},
guards: {
/* ... */
},
services: {
/* ... */
}
});
console.log("sm init: machine", machine);
const service = runSM(saveSM(machine));
if (service?.send) {
setTimeout(service.send, 200, "TOGGLE");
// setTimeout(service.send, 400, "TOGGLE")
}
else {
console.warn("sm init: service", service);
}
} }
function newSM(smName = "sm_" + Object.keys(cfg.statemachine.list).length) {
smName = smName.replace(/\s+/, '_'); const load = (config) => {
if (cfg.statemachine.list[smName]) { cfg = config
console.warn("sm exists", smName); bot = cfg.bot
quiet || bot.chat(`sm ${smName} already exists, edit or use another name instead`); // cfg.inventory = {
return; // auto: true,
} // quiet: false
const machine = createMachine({ // }
id: smName, // bot.on('chat', inventory)
initial: "start", bot.loadPlugin(pathfinder)
// TODO use history states for PAUSE and RESUME // statemachineInit()
states: { idle: { on: { START: "start" } }, start: { on: { STOP: "idle" } } }
});
cfg.statemachine.draft = machine;
return machine;
} }
function saveSM(machine = cfg.statemachine.draft) {
if (!machine?.id) { const unload = () => {
console.warn("sm save: invalid", machine); // bot.off('chat', inventory)
quiet || bot.chat("sm: couldn't save, invalid");
return;
}
// TODO do tests and validation
// 1. ensure default states [start, idle]
// 2. ensure closed cycle from start to idle
cfg.statemachine.list[machine.id] = machine;
if (machine.id === cfg.statemachine.draft?.id) {
cfg.statemachine.draft = null;
}
writeFile(
// TODO
// `${storage_dir}/${player}/${machine.id}.json`
`${storage_dir}/${machine.id}.json`,
// TODO decide which data to store
// https://xstate.js.org/docs/guides/states.html#persisting-state
// JSON.stringify(machine.toJSON),
// JSON.stringify(machine.states.toJSON), // + activities, delays, etc
JSON.stringify({ config: machine.config, context: machine.context }), e => e && console.log("sm load sm: write file", e));
// return run ? runSM(machine) : machine
return machine;
} }
function loadSM(name, run = true) {
//: StateMachine<any, any, any> { module.exports = { load, unload }
readFile(
// readFileSync(
// TODO
// `${storage_dir}/${player}/${machine.id}.json`
`${storage_dir}/${name}.json`, afterRead
// JSON.stringify(machine.toJSON),
);
function afterRead(err, jsonString) {
if (err) {
console.warn("sm load sm: read file", err);
return;
}
else {
const machine = createMachine(JSON.parse(jsonString).config);
// TODO do tests and validation
// 1. ensure default states [start, idle]
// 2. ensure closed cycle from start to idle
cfg.statemachine.list[machine.id] = machine;
if (machine.id === cfg.statemachine.draft?.id) {
cfg.statemachine.draft = machine;
}
if (run) {
runSM(machine);
}
}
}
// return run ? runSM(machine) : machine
// return machine
}
// function isInterpreter(SMorService: StateMachine<any, any, any> | Interpreter<any>): SMorService is Interpreter<any> {
// return (SMorService as Interpreter<any>).start !== undefined;
// }
function getSM(name = cfg.statemachine.draft || cfg.statemachine.recent, asService = false, quiet = false) {
const machine = typeof name === "string" ? cfg.statemachine.list[name]
: name;
if (!machine) {
console.warn("sm get: doesn't exist", name);
cfg.statemachine.quiet || bot.chat(`sm ${name} doesn't exist`);
return;
}
if (asService) {
const service = cfg.statemachine.running[machine?.id];
if (!service) {
quiet || console.warn("sm get: already stopped", machine);
quiet || cfg.statemachine.quiet || bot.chat(`sm ${machine?.id} isn't running`);
return interpret(machine);
}
return service;
}
else {
// return machine.machine ? machine.machine : machine
return machine;
}
}
function runSM(name = getSM(undefined, undefined, true), player // or supervisor?
, restart = false) {
if (!name)
return;
const service = getSM(name, true, true);
if (!service)
return;
const machine = service.machine;
if (!machine)
return;
switch (service.status) {
case InterpreterStatus.Running:
if (!restart) {
console.warn("sm run: already running", service.id);
quiet || bot.chat(`sm ${service.id} already running`);
return service;
}
stopSM(machine);
case InterpreterStatus.NotStarted:
case InterpreterStatus.Stopped:
break;
default:
console.warn("sm run: unknown status:", service.status, service);
return;
break;
}
if (cfg.statemachine.debug || machine.meta?.debug) {
service.onTransition((state) => {
quiet || bot.chat(`sm trans: ${machine.id}, ${state.value}`);
quiet || state.meta?.debug && bot.chat(`sm next events: ${machine.id}, ${state.nextEvents}`);
console.log("sm debug: trans", state.value, state);
}).onDone((done) => {
quiet || bot.chat(`sm done: ${machine.id}, ${done}`);
console.log("sm debug: done", done.data, done);
});
}
cfg.statemachine.running[machine.id] = service;
cfg.statemachine.recent = machine;
service.start();
// return machine
return service;
}
function stopSM(name = getSM(), quiet = false) {
let service = getSM(name, true, quiet);
if (!service)
return;
const machine = service.machine;
switch (service.status) {
case InterpreterStatus.NotStarted:
case InterpreterStatus.Stopped:
console.log("sm stop status", service.status, service.id, cfg.statemachine.running[service.id]);
// TODO check if any bugs
case InterpreterStatus.Running:
break;
default:
console.warn("sm stop: unknown status:", service.status);
break;
}
service?.stop?.();
cfg.statemachine.running[machine.id] = null;
delete cfg.statemachine.running[machine.id];
// return machine
return service;
}
function actionSM(action, name = getSM()) {
if (!action) {
return console.warn("sm action", action);
}
let service = getSM(name, true, true);
if (service.status !== InterpreterStatus.Running)
return;
// const machine = service.machine
service.send(action.toUpperCase());
}
function stepSM(command = "", ...message_parts) {
let service = getSM(undefined, true);
if (!service)
return;
if (!service.send) {
console.warn("sm step: can't send", service.machine);
// TODO start a temporary service to interpret
quiet || bot.chat("sm: step doesn't support machines that aren't running yet");
return;
}
if (service?.status !== InterpreterStatus.Running) {
console.warn("sm step: machine not running, attempting start", service);
runSM;
}
// const machine = service.machine
switch (command) {
case "edit":
// maybe `edit <type>`, like `add`?
// where type:
// context
// action
// timeout | all timeout
break;
case "undo":
break;
case "del":
break;
case "p":
case "prev":
service?.send("PREV");
break;
case "add":
// maybe `add <type>`?
// where type:
// context
// action
// timeout
case "new":
break;
// case "with":
// console.log(this)
// stepSM(getSM(message_parts[0], true, true), ...message_parts.slice(1))
// break;
case "help":
quiet || bot.chat("![sm ]step [ p(rev) | n(ext) ]");
break;
case "n":
case "next":
default:
service?.send("NEXT");
quiet || bot.chat("stepped");
break;
}
}
function tickSM(time = bot.time.timeOfDay, rate = 20) {
if (time % rate !== 0) {
return;
}
console.log("sm tick", rate, time);
}
function debugSM(name = getSM()) {
if (!name)
return;
let service = getSM(name, true);
if (!service)
return;
const machine = service.machine;
machine.meta.debug = !!!machine.meta.debug;
console.info("sm debug", machine.meta, service, machine);
cfg.statemachine.quiet || machine.meta.debug && bot.chat("sm debug: " + machine.id);
}
function command(message_parts) {
const message_parts2 = message_parts.slice(1);
switch (message_parts[0]) {
case "add":
command(["new"].concat(message_parts2));
break;
case "finish":
case "done":
case "end":
command(["save"].concat(message_parts2));
break;
case "do":
case "load":
case "start":
command(["run"].concat(message_parts2));
break;
case "debug":
switch (message_parts[1]) {
case "sm":
case "global":
case "meta":
cfg.statemachine.debug = !!!cfg.statemachine.debug;
quiet || bot.chat(`sm debug: ${cfg.statemachine.debug}`);
break;
}
case "new":
case "save":
case "run":
case "step":
case "stop":
// temp
case "action":
switch (message_parts2.length) {
case 0:
console.warn(`sm ${message_parts[0]}: no name, using defaults`);
case 1:
// FIXME `this` doesn't work always
(this.runSM && this || cfg.plugins.statemachine)[message_parts[0] + "SM"](...message_parts2);
break;
default:
if (["action"].includes(message_parts[0])) {
(this.runSM && this || cfg.plugins.statemachine)[message_parts[0] + "SM"](...message_parts2);
}
else {
console.warn(`sm ${message_parts[0]}: more than 1 arg passed`, message_parts2);
}
break;
}
break;
case "undo":
break;
case "list":
case "status":
// TODO current/recent, updateRate
const { list, running } = cfg.statemachine;
console.log("sm list", running, list);
quiet || bot.chat(`${Object.keys(running).length} of ${Object.keys(list).length} active: ${Object.keys(running)}`
+ (message_parts[1] === "all" ? `${Object.keys(list)}` : ''));
break;
case "quiet":
quiet = cfg.statemachine.quiet = !!!cfg.statemachine.quiet;
quiet || bot.chat(`sm: ${cfg.statemachine.quiet ? "" : "not "}being quiet`);
break;
default:
// TODO general helper from declarative commands object
quiet || bot.chat(`sm help: !sm [new | step| save | run | list | quiet | debug]`);
console.warn("sm unknown command", message_parts);
break;
}
return true;
}
function load(config) {
webserver = cfg.statemachine.webserver = config.statemachine?.webserver || webserver;
config.statemachine = cfg.statemachine || {
webserver: null,
// quiet: true,
quiet: false,
list: {},
running: {},
draft: null,
recent: null,
// debug: null,
debug: true,
updateRate: updateRate
};
cfg = config;
bot = cfg.bot;
// pathfinder = bot.pathfinder || bot.loadPlugin(require('mineflayer-pathfinder').pathfinder)
// mcData = bot.mcData || (bot.mcData = require('minecraft-data')(bot.version))
init(undefined, webserver);
updateRate = cfg.statemachine.updateRate || updateRate;
bot.on('time', tickSM);
// bot.once('time', tickSM, 5)
console.log("sm load", cfg.statemachine);
}
function unload() {
const { list, running } = cfg.statemachine;
bot.off('time', tickSM);
Object.keys(running).forEach(sm => {
stopSM(sm);
});
// delete cfg.statemachine;
cfg.statemachine = null;
console.log("sm unload: deleted", cfg.statemachine);
}
module.exports = {
load, unload, command, init,
newSM, saveSM, loadSM, runSM, stopSM, actionSM, stepSM, debugSM
};

@ -30,26 +30,24 @@
}, },
"homepage": "https://github.com/PrismarineJS/prismarine-template#readme", "homepage": "https://github.com/PrismarineJS/prismarine-template#readme",
"devDependencies": { "devDependencies": {
"@types/node": "^14.14.41",
"jest": "^26.6.3", "jest": "^26.6.3",
"require-self": "^0.2.3", "require-self": "^0.2.3"
"typescript": "^4.2.4"
}, },
"dependencies": { "dependencies": {
"dotenv-packed": "^1.2.2", "dotenv-packed": "^1.2.1",
"minecraft-data": "^2.84.0", "minecraft-data": "^2.73.1",
"mineflayer": "^3.6.0", "mineflayer": "^2.40.1",
"mineflayer-armor-manager": "^1.4.1", "mineflayer-armor-manager": "^1.4.0",
"mineflayer-pathfinder": "^1.6.1", "mineflayer-pathfinder": "^1.3.6",
"mineflayer-pvp": "^1.0.2", "mineflayer-pvp": "^1.0.2",
"prismarine-block": "^1.8.0", "prismarine-block": "^1.7.3",
"prismarine-chat": "^1.0.3", "prismarine-chat": "^1.0.3",
"prismarine-entity": "^1.1.0", "prismarine-entity": "^1.1.0",
"prismarine-item": "^1.8.0", "prismarine-item": "^1.5.0",
"prismarine-nbt": "^1.5.0", "prismarine-nbt": "^1.4.0",
"prismarine-recipe": "^1.1.0", "prismarine-recipe": "^1.1.0",
"vec3": "^0.1.7", "typescript": "^4.1.3",
"xstate": "^4.18.0" "vec3": "^0.1.7"
}, },
"files": [ "files": [
"lib/**/*" "lib/**/*"

Loading…
Cancel
Save