diff --git a/TypeScript/20CustomChatBot/src/CustomChatBot.ts b/TypeScript/20CustomChatBot/src/CustomChatBot.ts index d4f11f0..fcbe2eb 100644 --- a/TypeScript/20CustomChatBot/src/CustomChatBot.ts +++ b/TypeScript/20CustomChatBot/src/CustomChatBot.ts @@ -5,6 +5,7 @@ import { MemberCategory } from "@spt-aki/models/enums/MemberCategory"; import { MailSendService } from "@spt-aki/services/MailSendService"; import { inject, injectable } from "tsyringe"; +// \/ dont forger this annotation here! @injectable() export class CustomChatBot implements IDialogueChatBot { diff --git a/TypeScript/20CustomChatBot/types/helpers/Dialogue/AbstractDialogueChatBot.d.ts b/TypeScript/20CustomChatBot/types/helpers/Dialogue/AbstractDialogueChatBot.d.ts new file mode 100644 index 0000000..8034dc1 --- /dev/null +++ b/TypeScript/20CustomChatBot/types/helpers/Dialogue/AbstractDialogueChatBot.d.ts @@ -0,0 +1,20 @@ +import { IChatCommand, ICommandoCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; +import { IDialogueChatBot } from "@spt-aki/helpers/Dialogue/IDialogueChatBot"; +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +export declare abstract class AbstractDialogueChatBot implements IDialogueChatBot { + protected logger: ILogger; + protected mailSendService: MailSendService; + protected chatCommands: IChatCommand[] | ICommandoCommand[]; + constructor(logger: ILogger, mailSendService: MailSendService, chatCommands: IChatCommand[] | ICommandoCommand[]); + /** + * @deprecated use registerChatCommand instead + */ + registerCommandoCommand(chatCommand: IChatCommand | ICommandoCommand): void; + registerChatCommand(chatCommand: IChatCommand | ICommandoCommand): void; + abstract getChatBot(): IUserDialogInfo; + protected abstract getUnrecognizedCommandMessage(): string; + handleMessage(sessionId: string, request: ISendMessageRequest): string; +} diff --git a/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/ICommandoCommand.d.ts b/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/IChatCommand.d.ts similarity index 75% rename from TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/ICommandoCommand.d.ts rename to TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/IChatCommand.d.ts index cca1fb3..247aea7 100644 --- a/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/ICommandoCommand.d.ts +++ b/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/IChatCommand.d.ts @@ -1,6 +1,10 @@ import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; -export interface ICommandoCommand { +/** + * @deprecated Use IChatCommand instead + */ +export type ICommandoCommand = IChatCommand; +export interface IChatCommand { getCommandPrefix(): string; getCommandHelp(command: string): string; getCommands(): Set; diff --git a/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts b/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts index 62fb63e..8626984 100644 --- a/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts +++ b/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts @@ -1,9 +1,9 @@ -import { ICommandoCommand } from "@spt-aki/helpers/Dialogue/Commando/ICommandoCommand"; +import { IChatCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; import { ISptCommand } from "@spt-aki/helpers/Dialogue/Commando/SptCommands/ISptCommand"; import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; import { ConfigServer } from "@spt-aki/servers/ConfigServer"; -export declare class SptCommandoCommands implements ICommandoCommand { +export declare class SptCommandoCommands implements IChatCommand { protected configServer: ConfigServer; protected sptCommands: ISptCommand[]; constructor(configServer: ConfigServer, sptCommands: ISptCommand[]); diff --git a/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts b/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts index 33d05de..e7925bb 100644 --- a/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts +++ b/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts @@ -7,6 +7,9 @@ import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; import { MailSendService } from "@spt-aki/services/MailSendService"; import { HashUtil } from "@spt-aki/utils/HashUtil"; import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { LocaleService } from "@spt-aki/services/LocaleService"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SavedCommand } from "@spt-aki/helpers/Dialogue/Commando/SptCommands/SavedCommand"; export declare class GiveSptCommand implements ISptCommand { protected logger: ILogger; protected itemHelper: ItemHelper; @@ -14,7 +17,20 @@ export declare class GiveSptCommand implements ISptCommand { protected jsonUtil: JsonUtil; protected presetHelper: PresetHelper; protected mailSendService: MailSendService; - constructor(logger: ILogger, itemHelper: ItemHelper, hashUtil: HashUtil, jsonUtil: JsonUtil, presetHelper: PresetHelper, mailSendService: MailSendService); + protected localeService: LocaleService; + protected databaseServer: DatabaseServer; + /** + * Regex to account for all these cases: + * spt give "item name" 5 + * spt give templateId 5 + * spt give en "item name in english" 5 + * spt give es "nombre en español" 5 + * spt give 5 <== this is the reply when the algo isnt sure about an item + */ + private static commandRegex; + private static maxAllowedDistance; + protected savedCommand: SavedCommand; + constructor(logger: ILogger, itemHelper: ItemHelper, hashUtil: HashUtil, jsonUtil: JsonUtil, presetHelper: PresetHelper, mailSendService: MailSendService, localeService: LocaleService, databaseServer: DatabaseServer); getCommand(): string; getCommandHelp(): string; performAction(commandHandler: IUserDialogInfo, sessionId: string, request: ISendMessageRequest): string; diff --git a/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/SptCommands/SavedCommand.d.ts b/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/SptCommands/SavedCommand.d.ts new file mode 100644 index 0000000..5f8d3a1 --- /dev/null +++ b/TypeScript/20CustomChatBot/types/helpers/Dialogue/Commando/SptCommands/SavedCommand.d.ts @@ -0,0 +1,6 @@ +export declare class SavedCommand { + quantity: number; + potentialItemNames: string[]; + locale: string; + constructor(quantity: number, potentialItemNames: string[], locale: string); +} diff --git a/TypeScript/20CustomChatBot/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts b/TypeScript/20CustomChatBot/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts index e1213a2..391969f 100644 --- a/TypeScript/20CustomChatBot/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts +++ b/TypeScript/20CustomChatBot/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts @@ -1,15 +1,10 @@ -import { ICommandoCommand } from "@spt-aki/helpers/Dialogue/Commando/ICommandoCommand"; -import { IDialogueChatBot } from "@spt-aki/helpers/Dialogue/IDialogueChatBot"; -import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IChatCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; import { MailSendService } from "@spt-aki/services/MailSendService"; -export declare class CommandoDialogueChatBot implements IDialogueChatBot { - protected logger: ILogger; - protected mailSendService: MailSendService; - protected commandoCommands: ICommandoCommand[]; - constructor(logger: ILogger, mailSendService: MailSendService, commandoCommands: ICommandoCommand[]); - registerCommandoCommand(commandoCommand: ICommandoCommand): void; +import { AbstractDialogueChatBot } from "@spt-aki/helpers/Dialogue/AbstractDialogueChatBot"; +export declare class CommandoDialogueChatBot extends AbstractDialogueChatBot { + constructor(logger: ILogger, mailSendService: MailSendService, chatCommands: IChatCommand[]); getChatBot(): IUserDialogInfo; - handleMessage(sessionId: string, request: ISendMessageRequest): string; + protected getUnrecognizedCommandMessage(): string; } diff --git a/TypeScript/21CustomCommandoCommand/src/CustomCommandoCommand.ts b/TypeScript/21CustomCommandoCommand/src/CustomCommandoCommand.ts index bccf23e..6594aca 100644 --- a/TypeScript/21CustomCommandoCommand/src/CustomCommandoCommand.ts +++ b/TypeScript/21CustomCommandoCommand/src/CustomCommandoCommand.ts @@ -1,12 +1,13 @@ -import {ICommandoCommand} from "@spt-aki/helpers/Dialogue/Commando/ICommandoCommand"; +import { IChatCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; import { MailSendService } from "@spt-aki/services/MailSendService"; -import { delay, inject, injectable } from "tsyringe"; +import { inject, injectable } from "tsyringe"; +// \/ dont forger this annotation here! @injectable() -export class CustomCommandoCommand implements ICommandoCommand +export class CustomCommandoCommand implements IChatCommand { public constructor( @inject("MailSendService") protected mailSendService: MailSendService, diff --git a/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/AbstractDialogueChatBot.d.ts b/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/AbstractDialogueChatBot.d.ts new file mode 100644 index 0000000..8034dc1 --- /dev/null +++ b/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/AbstractDialogueChatBot.d.ts @@ -0,0 +1,20 @@ +import { IChatCommand, ICommandoCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; +import { IDialogueChatBot } from "@spt-aki/helpers/Dialogue/IDialogueChatBot"; +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +export declare abstract class AbstractDialogueChatBot implements IDialogueChatBot { + protected logger: ILogger; + protected mailSendService: MailSendService; + protected chatCommands: IChatCommand[] | ICommandoCommand[]; + constructor(logger: ILogger, mailSendService: MailSendService, chatCommands: IChatCommand[] | ICommandoCommand[]); + /** + * @deprecated use registerChatCommand instead + */ + registerCommandoCommand(chatCommand: IChatCommand | ICommandoCommand): void; + registerChatCommand(chatCommand: IChatCommand | ICommandoCommand): void; + abstract getChatBot(): IUserDialogInfo; + protected abstract getUnrecognizedCommandMessage(): string; + handleMessage(sessionId: string, request: ISendMessageRequest): string; +} diff --git a/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/ICommandoCommand.d.ts b/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/IChatCommand.d.ts similarity index 75% rename from TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/ICommandoCommand.d.ts rename to TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/IChatCommand.d.ts index cca1fb3..247aea7 100644 --- a/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/ICommandoCommand.d.ts +++ b/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/IChatCommand.d.ts @@ -1,6 +1,10 @@ import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; -export interface ICommandoCommand { +/** + * @deprecated Use IChatCommand instead + */ +export type ICommandoCommand = IChatCommand; +export interface IChatCommand { getCommandPrefix(): string; getCommandHelp(command: string): string; getCommands(): Set; diff --git a/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts b/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts index 62fb63e..8626984 100644 --- a/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts +++ b/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts @@ -1,9 +1,9 @@ -import { ICommandoCommand } from "@spt-aki/helpers/Dialogue/Commando/ICommandoCommand"; +import { IChatCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; import { ISptCommand } from "@spt-aki/helpers/Dialogue/Commando/SptCommands/ISptCommand"; import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; import { ConfigServer } from "@spt-aki/servers/ConfigServer"; -export declare class SptCommandoCommands implements ICommandoCommand { +export declare class SptCommandoCommands implements IChatCommand { protected configServer: ConfigServer; protected sptCommands: ISptCommand[]; constructor(configServer: ConfigServer, sptCommands: ISptCommand[]); diff --git a/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts b/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts index 33d05de..e7925bb 100644 --- a/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts +++ b/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts @@ -7,6 +7,9 @@ import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; import { MailSendService } from "@spt-aki/services/MailSendService"; import { HashUtil } from "@spt-aki/utils/HashUtil"; import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { LocaleService } from "@spt-aki/services/LocaleService"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SavedCommand } from "@spt-aki/helpers/Dialogue/Commando/SptCommands/SavedCommand"; export declare class GiveSptCommand implements ISptCommand { protected logger: ILogger; protected itemHelper: ItemHelper; @@ -14,7 +17,20 @@ export declare class GiveSptCommand implements ISptCommand { protected jsonUtil: JsonUtil; protected presetHelper: PresetHelper; protected mailSendService: MailSendService; - constructor(logger: ILogger, itemHelper: ItemHelper, hashUtil: HashUtil, jsonUtil: JsonUtil, presetHelper: PresetHelper, mailSendService: MailSendService); + protected localeService: LocaleService; + protected databaseServer: DatabaseServer; + /** + * Regex to account for all these cases: + * spt give "item name" 5 + * spt give templateId 5 + * spt give en "item name in english" 5 + * spt give es "nombre en español" 5 + * spt give 5 <== this is the reply when the algo isnt sure about an item + */ + private static commandRegex; + private static maxAllowedDistance; + protected savedCommand: SavedCommand; + constructor(logger: ILogger, itemHelper: ItemHelper, hashUtil: HashUtil, jsonUtil: JsonUtil, presetHelper: PresetHelper, mailSendService: MailSendService, localeService: LocaleService, databaseServer: DatabaseServer); getCommand(): string; getCommandHelp(): string; performAction(commandHandler: IUserDialogInfo, sessionId: string, request: ISendMessageRequest): string; diff --git a/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/SptCommands/SavedCommand.d.ts b/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/SptCommands/SavedCommand.d.ts new file mode 100644 index 0000000..5f8d3a1 --- /dev/null +++ b/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/Commando/SptCommands/SavedCommand.d.ts @@ -0,0 +1,6 @@ +export declare class SavedCommand { + quantity: number; + potentialItemNames: string[]; + locale: string; + constructor(quantity: number, potentialItemNames: string[], locale: string); +} diff --git a/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts b/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts index e1213a2..391969f 100644 --- a/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts +++ b/TypeScript/21CustomCommandoCommand/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts @@ -1,15 +1,10 @@ -import { ICommandoCommand } from "@spt-aki/helpers/Dialogue/Commando/ICommandoCommand"; -import { IDialogueChatBot } from "@spt-aki/helpers/Dialogue/IDialogueChatBot"; -import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IChatCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; import { MailSendService } from "@spt-aki/services/MailSendService"; -export declare class CommandoDialogueChatBot implements IDialogueChatBot { - protected logger: ILogger; - protected mailSendService: MailSendService; - protected commandoCommands: ICommandoCommand[]; - constructor(logger: ILogger, mailSendService: MailSendService, commandoCommands: ICommandoCommand[]); - registerCommandoCommand(commandoCommand: ICommandoCommand): void; +import { AbstractDialogueChatBot } from "@spt-aki/helpers/Dialogue/AbstractDialogueChatBot"; +export declare class CommandoDialogueChatBot extends AbstractDialogueChatBot { + constructor(logger: ILogger, mailSendService: MailSendService, chatCommands: IChatCommand[]); getChatBot(): IUserDialogInfo; - handleMessage(sessionId: string, request: ISendMessageRequest): string; + protected getUnrecognizedCommandMessage(): string; } diff --git a/TypeScript/22CustomAkiCommand/src/CustomAkiCommand.ts b/TypeScript/22CustomAkiCommand/src/CustomAkiCommand.ts index 6a278bc..9da52f2 100644 --- a/TypeScript/22CustomAkiCommand/src/CustomAkiCommand.ts +++ b/TypeScript/22CustomAkiCommand/src/CustomAkiCommand.ts @@ -5,6 +5,7 @@ import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequ import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; import { inject, injectable } from "tsyringe"; +// \/ dont forger this annotation here! @injectable() export class CustomAkiCommand implements ISptCommand { diff --git a/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/AbstractDialogueChatBot.d.ts b/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/AbstractDialogueChatBot.d.ts new file mode 100644 index 0000000..8034dc1 --- /dev/null +++ b/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/AbstractDialogueChatBot.d.ts @@ -0,0 +1,20 @@ +import { IChatCommand, ICommandoCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; +import { IDialogueChatBot } from "@spt-aki/helpers/Dialogue/IDialogueChatBot"; +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +export declare abstract class AbstractDialogueChatBot implements IDialogueChatBot { + protected logger: ILogger; + protected mailSendService: MailSendService; + protected chatCommands: IChatCommand[] | ICommandoCommand[]; + constructor(logger: ILogger, mailSendService: MailSendService, chatCommands: IChatCommand[] | ICommandoCommand[]); + /** + * @deprecated use registerChatCommand instead + */ + registerCommandoCommand(chatCommand: IChatCommand | ICommandoCommand): void; + registerChatCommand(chatCommand: IChatCommand | ICommandoCommand): void; + abstract getChatBot(): IUserDialogInfo; + protected abstract getUnrecognizedCommandMessage(): string; + handleMessage(sessionId: string, request: ISendMessageRequest): string; +} diff --git a/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/ICommandoCommand.d.ts b/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/IChatCommand.d.ts similarity index 75% rename from TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/ICommandoCommand.d.ts rename to TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/IChatCommand.d.ts index cca1fb3..247aea7 100644 --- a/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/ICommandoCommand.d.ts +++ b/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/IChatCommand.d.ts @@ -1,6 +1,10 @@ import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; -export interface ICommandoCommand { +/** + * @deprecated Use IChatCommand instead + */ +export type ICommandoCommand = IChatCommand; +export interface IChatCommand { getCommandPrefix(): string; getCommandHelp(command: string): string; getCommands(): Set; diff --git a/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts b/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts index 62fb63e..8626984 100644 --- a/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts +++ b/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts @@ -1,9 +1,9 @@ -import { ICommandoCommand } from "@spt-aki/helpers/Dialogue/Commando/ICommandoCommand"; +import { IChatCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; import { ISptCommand } from "@spt-aki/helpers/Dialogue/Commando/SptCommands/ISptCommand"; import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; import { ConfigServer } from "@spt-aki/servers/ConfigServer"; -export declare class SptCommandoCommands implements ICommandoCommand { +export declare class SptCommandoCommands implements IChatCommand { protected configServer: ConfigServer; protected sptCommands: ISptCommand[]; constructor(configServer: ConfigServer, sptCommands: ISptCommand[]); diff --git a/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts b/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts index 33d05de..e7925bb 100644 --- a/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts +++ b/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts @@ -7,6 +7,9 @@ import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; import { MailSendService } from "@spt-aki/services/MailSendService"; import { HashUtil } from "@spt-aki/utils/HashUtil"; import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { LocaleService } from "@spt-aki/services/LocaleService"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SavedCommand } from "@spt-aki/helpers/Dialogue/Commando/SptCommands/SavedCommand"; export declare class GiveSptCommand implements ISptCommand { protected logger: ILogger; protected itemHelper: ItemHelper; @@ -14,7 +17,20 @@ export declare class GiveSptCommand implements ISptCommand { protected jsonUtil: JsonUtil; protected presetHelper: PresetHelper; protected mailSendService: MailSendService; - constructor(logger: ILogger, itemHelper: ItemHelper, hashUtil: HashUtil, jsonUtil: JsonUtil, presetHelper: PresetHelper, mailSendService: MailSendService); + protected localeService: LocaleService; + protected databaseServer: DatabaseServer; + /** + * Regex to account for all these cases: + * spt give "item name" 5 + * spt give templateId 5 + * spt give en "item name in english" 5 + * spt give es "nombre en español" 5 + * spt give 5 <== this is the reply when the algo isnt sure about an item + */ + private static commandRegex; + private static maxAllowedDistance; + protected savedCommand: SavedCommand; + constructor(logger: ILogger, itemHelper: ItemHelper, hashUtil: HashUtil, jsonUtil: JsonUtil, presetHelper: PresetHelper, mailSendService: MailSendService, localeService: LocaleService, databaseServer: DatabaseServer); getCommand(): string; getCommandHelp(): string; performAction(commandHandler: IUserDialogInfo, sessionId: string, request: ISendMessageRequest): string; diff --git a/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/SptCommands/SavedCommand.d.ts b/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/SptCommands/SavedCommand.d.ts new file mode 100644 index 0000000..5f8d3a1 --- /dev/null +++ b/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/Commando/SptCommands/SavedCommand.d.ts @@ -0,0 +1,6 @@ +export declare class SavedCommand { + quantity: number; + potentialItemNames: string[]; + locale: string; + constructor(quantity: number, potentialItemNames: string[], locale: string); +} diff --git a/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts b/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts index e1213a2..391969f 100644 --- a/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts +++ b/TypeScript/22CustomAkiCommand/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts @@ -1,15 +1,10 @@ -import { ICommandoCommand } from "@spt-aki/helpers/Dialogue/Commando/ICommandoCommand"; -import { IDialogueChatBot } from "@spt-aki/helpers/Dialogue/IDialogueChatBot"; -import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IChatCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; import { MailSendService } from "@spt-aki/services/MailSendService"; -export declare class CommandoDialogueChatBot implements IDialogueChatBot { - protected logger: ILogger; - protected mailSendService: MailSendService; - protected commandoCommands: ICommandoCommand[]; - constructor(logger: ILogger, mailSendService: MailSendService, commandoCommands: ICommandoCommand[]); - registerCommandoCommand(commandoCommand: ICommandoCommand): void; +import { AbstractDialogueChatBot } from "@spt-aki/helpers/Dialogue/AbstractDialogueChatBot"; +export declare class CommandoDialogueChatBot extends AbstractDialogueChatBot { + constructor(logger: ILogger, mailSendService: MailSendService, chatCommands: IChatCommand[]); getChatBot(): IUserDialogInfo; - handleMessage(sessionId: string, request: ISendMessageRequest): string; + protected getUnrecognizedCommandMessage(): string; } diff --git a/TypeScript/23CustomAbstractChatBot/.buildignore b/TypeScript/23CustomAbstractChatBot/.buildignore new file mode 100644 index 0000000..2cbde65 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/.buildignore @@ -0,0 +1,20 @@ +/.buildignore +/.DS_Store +/.editorconfig +/.eslintignore +/.eslintrc.json +/.git +/.github +/.gitignore +/.gitlab +/.nvmrc +/.prettierrc +/.vscode +/build.mjs +/dist +/images +/mod.code-workspace +/node_modules +/package-lock.json +/tsconfig.json +/types diff --git a/TypeScript/23CustomAbstractChatBot/.eslintignore b/TypeScript/23CustomAbstractChatBot/.eslintignore new file mode 100644 index 0000000..9922d9a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/.eslintignore @@ -0,0 +1,9 @@ +# Exclude these folders from linting +node_modules +dist/ +types/ + +# Exclude these filetypes from linting +*.json +*.txt +*.exe \ No newline at end of file diff --git a/TypeScript/23CustomAbstractChatBot/.eslintrc.json b/TypeScript/23CustomAbstractChatBot/.eslintrc.json new file mode 100644 index 0000000..071a313 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/.eslintrc.json @@ -0,0 +1,98 @@ +{ + "root": true, + "parser": "@typescript-eslint/parser", + "plugins": [ + "@typescript-eslint" + ], + "extends": [ + "eslint:recommended", + "plugin:@typescript-eslint/eslint-recommended", + "plugin:@typescript-eslint/recommended" + ], + "rules": { + "@typescript-eslint/no-explicit-any": 0, + "@typescript-eslint/no-unused-vars": 1, + "@typescript-eslint/no-empty-interface": 0, + "@typescript-eslint/no-namespace": 0, + "@typescript-eslint/comma-dangle": 1, + "@typescript-eslint/func-call-spacing": 2, + "@typescript-eslint/quotes": 1, + "@typescript-eslint/brace-style": [ + "warn", + "allman" + ], + "@typescript-eslint/naming-convention": [ + "warn", + { + "selector": "default", + "format": [ + "camelCase" + ], + "leadingUnderscore": "allow" + }, + { + "selector": "typeLike", + "format": [ + "PascalCase" + ] + }, + { + "selector": "objectLiteralProperty", + "format": [ + "PascalCase", + "camelCase" + ], + "leadingUnderscore": "allow" + }, + { + "selector": "typeProperty", + "format": [ + "PascalCase", + "camelCase" + ], + "leadingUnderscore": "allow" + }, + { + "selector": "enumMember", + "format": [ + "UPPER_CASE" + ] + } + ], + "@typescript-eslint/indent": [ + "warn", + 4 + ], + "@typescript-eslint/no-unused-expressions": [ + "warn", + { + "allowShortCircuit": false, + "allowTernary": false + } + ], + "@typescript-eslint/keyword-spacing": [ + "warn", + { + "before": true, + "after": true + } + ], + "@typescript-eslint/explicit-module-boundary-types": [ + "warn", + { + "allowArgumentsExplicitlyTypedAsAny": true + } + ] + }, + "overrides": [ + { + "files": [ + "*.mjs", + "*.ts" + ], + "env": { + "node": true + } + } + ] +} \ No newline at end of file diff --git a/TypeScript/23CustomAbstractChatBot/README.md b/TypeScript/23CustomAbstractChatBot/README.md new file mode 100644 index 0000000..48c742b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/README.md @@ -0,0 +1,66 @@ +# Welcome to the SPT-AKI Modding Project + +This project is designed to streamline the initial setup process for building and creating mods in the SPT-AKI environment. Follow this guide to set up your environment efficiently. + +## **Table of Contents** +- [NodeJS Setup](#nodejs-setup) +- [IDE Setup](#ide-setup) +- [Workspace Configuration](#workspace-configuration) +- [Environment Setup](#environment-setup) +- [Essential Concepts](#essential-concepts) +- [Coding Guidelines](#coding-guidelines) +- [Distribution Guidelines](#distribution-guidelines) + +## **NodeJS Setup** + +Before you begin, ensure to install NodeJS version `v18.15.0`, which has been tested thoroughly with our mod templates and build scripts. Download it from the [official NodeJS website](https://nodejs.org/). + +After installation, it's advised to reboot your system. + +## **IDE Setup** + +For this project, you can work with either [VSCodium](https://vscodium.com/) or [VSCode](https://code.visualstudio.com/). However, we strongly recommend using VSCode, as all development and testing have been carried out using this IDE, ensuring a smoother experience and compatibility with the project setups. Either way, we have a prepared a workspace file to assist you in setting up your environment. + +## **Workspace Configuration** + +With NodeJS and your chosen IDE ready, initiate the `mod.code-workspace` file using your IDE: + +> File -> Open Workspace from File... + +Upon project loading, consider installing recommended plugins like the ESLint plugin. + +## **Environment Setup** + +An automated task is available to configure your environment for Typescript utilization: + +> Terminal -> Run Task... -> Show All Tasks... -> npm: install + +Note: Preserve the `node_modules` folder as it contains necessary dependencies for Typescript and other functionalities. + +## **Essential Concepts** + +Prioritize understanding Dependency Injection and Inversion of Control, the architectural principles SPT-AKI adopts. Comprehensive guidelines will be available on the hub upon release. + +Some resources to get you started: + - [A quick intro to Dependency Injection](https://www.freecodecamp.org/news/a-quick-intro-to-dependency-injection-what-it-is-and-when-to-use-it-7578c84fa88f/) + - [Understanding Inversion of Control (IoC) Principle](https://medium.com/@amitkma/understanding-inversion-of-control-ioc-principle-163b1dc97454) + +## **Coding Guidelines** + +Focus your mod development around the `mod.ts` file. In the `package.json` file, only alter these properties: `"name"`, `"version"`, `"license"`, `"author"`, and `"akiVersion"`. + +New to Typescript? Find comprehensive documentation on the [official website](https://www.typescriptlang.org/docs/). + +## **Distribution Guidelines** + +Automated tasks are set up to bundle all necessary files for your mod to function in SPT-AKI: + +> Terminal -> Run Task... -> Show All Tasks... -> npm: build + +The ZIP output, located in the `dist` directory, contains all required files. Ensure all files are included and modify the `.buildignore` file as needed. This ZIP file is your uploadable asset for the hub. + +## **Conclusion** + +With this setup, you're ready to begin modding with SPT-AKI. If you run into any trouble be sure to check out the [modding documentation on the hub](https://hub.sp-tarkov.com/doc/lexicon/66-modding/). If you really get stuck feel free to join us in the [#mods-development](https://discord.com/channels/875684761291599922/875803116409323562) official Discord channel. + +Build something awesome! diff --git a/TypeScript/23CustomAbstractChatBot/build.mjs b/TypeScript/23CustomAbstractChatBot/build.mjs new file mode 100644 index 0000000..d00117c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/build.mjs @@ -0,0 +1,383 @@ +#!/usr/bin/env node + +/** + * Build Script + * + * This script automates the build process for server-side SPT mod projects, facilitating the creation of distributable + * mod packages. It performs a series of operations as outlined below: + * - Loads the .buildignore file, which is used to list files that should be ignored during the build process. + * - Loads the package.json to get project details so a descriptive name can be created for the mod package. + * - Creates a distribution directory and a temporary working directory. + * - Copies files to the temporary directory while respecting the .buildignore rules. + * - Creates a zip archive of the project files. + * - Moves the zip file to the root of the distribution directory. + * - Cleans up the temporary directory. + * + * It's typical that this script be customized to suit the needs of each project. For example, the script can be updated + * to perform additional operations, such as moving the mod package to a specific location or uploading it to a server. + * This script is intended to be a starting point for developers to build upon. + * + * Usage: + * - Run this script using npm: `npm run build` + * - Use `npm run buildinfo` for detailed logging. + * + * Note: + * - Ensure that all necessary Node.js modules are installed before running the script: `npm install` + * - The script reads configurations from the `package.json` and `.buildignore` files; ensure they are correctly set up. + * + * @author Refringe + * @version v1.0.0 + */ + +import fs from "fs-extra"; +import os from "os"; +import path from "path"; +import { fileURLToPath } from "url"; +import { dirname } from "path"; +import ignore from "ignore"; +import archiver from "archiver"; +import winston from "winston"; + +// Get the command line arguments to determine whether to use verbose logging. +const args = process.argv.slice(2); +const verbose = args.includes("--verbose") || args.includes("-v"); + +// Configure the Winston logger to use colours. +const logColors = { + error: "red", + warn: "yellow", + info: "grey", + success: "green", +}; +winston.addColors(logColors); + +// Create a logger instance to log build progress. Configure the logger levels to allow for different levels of logging +// based on the verbosity flag, and set the console transport to log messages of the appropriate level. +const logger = winston.createLogger({ + levels: { + error: 0, + warn: 1, + success: 2, + info: 3, + }, + format: winston.format.combine( + winston.format.colorize(), + winston.format.printf(info => { + return `${info.level}: ${info.message}`; + }) + ), + transports: [ + new winston.transports.Console({ + level: verbose ? "info" : "success", + }), + ], +}); + +/** + * The main function orchestrates the build process for creating a distributable mod package. It leverages a series of + * helper functions to perform various tasks such as loading configuration files, setting up directories, copying files + * according to `.buildignore` rules, and creating a ZIP archive of the project files. + * + * Utilizes the Winston logger to provide information on the build status at different stages of the process. + * + * @returns {void} + */ +async function main() { + // Get the current directory where the script is being executed + const currentDir = getCurrentDirectory(); + + // Defining at this scope because we need to use it in the finally block. + let projectDir; + + try { + // Load the .buildignore file to set up an ignore handler for the build process. + const buildIgnorePatterns = await loadBuildIgnoreFile(currentDir); + + // Load the package.json file to get project details. + const packageJson = await loadPackageJson(currentDir); + + // Create a descriptive name for the mod package. + const projectName = createProjectName(packageJson); + logger.log("success", `Project name created: ${projectName}`); + + // Remove the old distribution directory and create a fresh one. + const distDir = await removeOldDistDirectory(currentDir); + logger.log("info", "Distribution directory successfully cleaned."); + + // Create a temporary working directory to perform the build operations. + projectDir = await createTemporaryDirectoryWithProjectName(projectName); + logger.log("success", "Temporary working directory successfully created."); + logger.log("info", projectDir); + + // Copy files to the temporary directory while respecting the .buildignore rules. + logger.log("info", "Beginning copy operation using .buildignore file..."); + await copyFiles(currentDir, projectDir, buildIgnorePatterns); + logger.log("success", "Files successfully copied to temporary directory."); + + // Create a zip archive of the project files. + logger.log("info", "Beginning folder compression..."); + const zipFilePath = path.join(path.dirname(projectDir), `${projectName}.zip`); + await createZipFile(projectDir, zipFilePath, "user/mods/" + projectName); + logger.log("success", "Archive successfully created."); + logger.log("info", zipFilePath); + + // Move the zip file inside of the project directory, within the temporary working directory. + const zipFileInProjectDir = path.join(projectDir, `${projectName}.zip`); + await fs.move(zipFilePath, zipFileInProjectDir); + logger.log("success", "Archive successfully moved."); + logger.log("info", zipFileInProjectDir); + + // Move the temporary directory into the distribution directory. + await fs.move(projectDir, distDir); + logger.log("success", "Temporary directory successfully moved into project distribution directory."); + + // Log the success message. Write out the path to the mod package. + logger.log("success", "------------------------------------"); + logger.log("success", "Build script completed successfully!"); + logger.log("success", "Your mod package has been created in the 'dist' directory:"); + logger.log("success", `/${path.relative(process.cwd(), path.join(distDir, `${projectName}.zip`))}`); + logger.log("success", "------------------------------------"); + if (!verbose) { + logger.log("success", "To see a detailed build log, use `npm run buildinfo`."); + logger.log("success", "------------------------------------"); + } + } catch (err) { + // If any of the file operations fail, log the error. + logger.log("error", "An error occurred: " + err); + } finally { + // Clean up the temporary directory, even if the build fails. + if (projectDir) { + try { + await fs.promises.rm(projectDir, { force: true, recursive: true }); + logger.log("info", "Cleaned temporary directory."); + } catch (err) { + logger.log("error", "Failed to clean temporary directory: " + err); + } + } + } +} + +/** + * Retrieves the current working directory where the script is being executed. This directory is used as a reference + * point for various file operations throughout the build process, ensuring that paths are resolved correctly regardless + * of the location from which the script is invoked. + * + * @returns {string} The absolute path of the current working directory. + */ +function getCurrentDirectory() { + return dirname(fileURLToPath(import.meta.url)); +} + +/** + * Loads the `.buildignore` file and sets up an ignore handler using the `ignore` module. The `.buildignore` file + * contains a list of patterns describing files and directories that should be ignored during the build process. The + * ignore handler created by this method is used to filter files and directories when copying them to the temporary + * directory, ensuring that only necessary files are included in the final mod package. + * + * @param {string} currentDirectory - The absolute path of the current working directory. + * @returns {Promise} A promise that resolves to an ignore handler. + */ +async function loadBuildIgnoreFile(currentDir) { + const buildIgnorePath = path.join(currentDir, ".buildignore"); + + try { + // Attempt to read the contents of the .buildignore file asynchronously. + const fileContent = await fs.promises.readFile(buildIgnorePath, "utf-8"); + + // Return a new ignore instance and add the rules from the .buildignore file (split by newlines). + return ignore().add(fileContent.split("\n")); + } catch (err) { + logger.log("warn", "Failed to read .buildignore file. No files or directories will be ignored."); + + // Return an empty ignore instance, ensuring the build process can continue. + return ignore(); + } +} + +/** + * Loads the `package.json` file and returns its content as a JSON object. The `package.json` file contains important + * project details such as the name and version, which are used in later stages of the build process to create a + * descriptive name for the mod package. The method reads the file from the current working directory, ensuring that it + * accurately reflects the current state of the project. + * + * @param {string} currentDirectory - The absolute path of the current working directory. + * @returns {Promise} A promise that resolves to a JSON object containing the contents of the `package.json`. + */ +async function loadPackageJson(currentDir) { + const packageJsonPath = path.join(currentDir, "package.json"); + + // Read the contents of the package.json file asynchronously as a UTF-8 string. + const packageJsonContent = await fs.promises.readFile(packageJsonPath, "utf-8"); + + return JSON.parse(packageJsonContent); +} + +/** + * Constructs a descriptive name for the mod package using details from the `package.json` file. The name is created by + * concatenating the project name, version, and a timestamp, resulting in a unique and descriptive file name for each + * build. This name is used as the base name for the temporary working directory and the final ZIP archive, helping to + * identify different versions of the mod package easily. + * + * @param {Object} packageJson - A JSON object containing the contents of the `package.json` file. + * @returns {string} A string representing the constructed project name. + */ +function createProjectName(packageJson) { + // Remove any non-alphanumeric characters from the author and name. + const author = packageJson.author.replace(/\W/g, ""); + const name = packageJson.name.replace(/\W/g, ""); + const version = packageJson.version; + + // Ensure the name is lowercase, as per the package.json specification. + return `${author}-${name}-${version}`.toLowerCase(); +} + +/** + * Defines the location of the distribution directory where the final mod package will be stored and deletes any + * existing distribution directory to ensure a clean slate for the build process. + * + * @param {string} currentDirectory - The absolute path of the current working directory. + * @returns {Promise} A promise that resolves to the absolute path to the distribution directory. + */ +async function removeOldDistDirectory(projectDir) { + const distPath = path.join(projectDir, "dist"); + await fs.remove(distPath); + return distPath; +} + +/** + * Creates a temporary working directory using the project name. This directory serves as a staging area where project + * files are gathered before being archived into the final mod package. The method constructs a unique directory path + * by appending the project name to a base temporary directory path, ensuring that each build has its own isolated + * working space. This approach facilitates clean and organized build processes, avoiding potential conflicts with other + * builds. + * + * @param {string} currentDirectory - The absolute path of the current working directory. + * @param {string} projectName - The constructed project name, used to create a unique path for the temporary directory. + * @returns {Promise} A promise that resolves to the absolute path of the newly created temporary directory. + */ +async function createTemporaryDirectoryWithProjectName(projectName) { + // Create a new directory in the system's temporary folder to hold the project files. + const tempDir = await fs.promises.mkdtemp(path.join(os.tmpdir(), "spt-mod-build-")); + + // Create a subdirectory within the temporary directory using the project name for this specific build. + const projectDir = path.join(tempDir, projectName); + await fs.ensureDir(projectDir); + + return projectDir; +} + +/** + * Copies the project files to the temporary directory while respecting the rules defined in the `.buildignore` file. + * The method is recursive, iterating over all files and directories in the source directory and using the ignore + * handler to filter out files and directories that match the patterns defined in the `.buildignore` file. This ensures + * that only the necessary files are included in the final mod package, adhering to the specifications defined by the + * developer in the `.buildignore` file. + * + * The copy operations are delayed and executed in parallel to improve efficiency and reduce the build time. This is + * achieved by creating an array of copy promises and awaiting them all at the end of the function. + * + * @param {string} sourceDirectory - The absolute path of the current working directory. + * @param {string} destinationDirectory - The absolute path of the temporary directory where the files will be copied. + * @param {Ignore} ignoreHandler - The ignore handler created from the `.buildignore` file. + * @returns {Promise} A promise that resolves when all copy operations are completed successfully. + */ +async function copyFiles(srcDir, destDir, ignoreHandler) { + try { + // Read the contents of the source directory to get a list of entries (files and directories). + const entries = await fs.promises.readdir(srcDir, { withFileTypes: true }); + + // Initialize an array to hold the promises returned by recursive calls to copyFiles and copyFile operations. + const copyOperations = []; + + for (const entry of entries) { + // Define the source and destination paths for each entry. + const srcPath = path.join(srcDir, entry.name); + const destPath = path.join(destDir, entry.name); + + // Get the relative path of the source file to check against the ignore handler. + const relativePath = path.relative(process.cwd(), srcPath); + + // If the ignore handler dictates that this file should be ignored, skip to the next iteration. + if (ignoreHandler.ignores(relativePath)) { + logger.log("info", `Ignored: /${path.relative(process.cwd(), srcPath)}`); + continue; + } + + if (entry.isDirectory()) { + // If the entry is a directory, create the corresponding temporary directory and make a recursive call + // to copyFiles to handle copying the contents of the directory. + await fs.ensureDir(destPath); + copyOperations.push(copyFiles(srcPath, destPath, ignoreHandler)); + } else { + // If the entry is a file, add a copyFile operation to the copyOperations array and log the event when + // the operation is successful. + copyOperations.push( + fs.copy(srcPath, destPath).then(() => { + logger.log("info", `Copied: /${path.relative(process.cwd(), srcPath)}`); + }) + ); + } + } + + // Await all copy operations to ensure all files and directories are copied before exiting the function. + await Promise.all(copyOperations); + } catch (err) { + // Log an error message if any error occurs during the copy process. + logger.log("error", "Error copying files: " + err); + } +} + +/** + * Creates a ZIP archive of the project files located in the temporary directory. The method uses the `archiver` module + * to create a ZIP file, which includes all the files that have been copied to the temporary directory during the build + * process. The ZIP file is named using the project name, helping to identify the contents of the archive easily. + * + * @param {string} directoryPath - The absolute path of the temporary directory containing the project files. + * @param {string} projectName - The constructed project name, used to name the ZIP file. + * @returns {Promise} A promise that resolves to the absolute path of the created ZIP file. + */ +async function createZipFile(directoryToZip, zipFilePath, containerDirName) { + return new Promise((resolve, reject) => { + // Create a write stream to the specified ZIP file path. + const output = fs.createWriteStream(zipFilePath); + + // Create a new archiver instance with ZIP format and maximum compression level. + const archive = archiver("zip", { + zlib: { level: 9 }, + }); + + // Set up an event listener for the 'close' event to resolve the promise when the archiver has finalized. + output.on("close", function () { + logger.log("info", "Archiver has finalized. The output and the file descriptor have closed."); + resolve(); + }); + + // Set up an event listener for the 'warning' event to handle warnings appropriately, logging them or rejecting + // the promise based on the error code. + archive.on("warning", function (err) { + if (err.code === "ENOENT") { + logger.log("warn", `Archiver issued a warning: ${err.code} - ${err.message}`); + } else { + reject(err); + } + }); + + // Set up an event listener for the 'error' event to reject the promise if any error occurs during archiving. + archive.on("error", function (err) { + reject(err); + }); + + // Pipe archive data to the file. + archive.pipe(output); + + // Add the directory to the archive, under the provided directory name. + archive.directory(directoryToZip, containerDirName); + + // Finalize the archive, indicating that no more files will be added and triggering the 'close' event once all + // data has been written. + archive.finalize(); + }); +} + +// Engage! +main(); diff --git a/TypeScript/23CustomAbstractChatBot/mod.code-workspace b/TypeScript/23CustomAbstractChatBot/mod.code-workspace new file mode 100644 index 0000000..6732c67 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/mod.code-workspace @@ -0,0 +1,12 @@ +{ + "folders": [ + { + "path": "." + } + ], + "extensions": { + "recommendations": [ + "dbaeumer.vscode-eslint" + ] + } +} \ No newline at end of file diff --git a/TypeScript/23CustomAbstractChatBot/package.json b/TypeScript/23CustomAbstractChatBot/package.json new file mode 100644 index 0000000..e33130c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/package.json @@ -0,0 +1,30 @@ +{ + "name": "CustomAbstractChatBot", + "version": "1.0.0", + "main": "src/mod.js", + "license": "MIT", + "author": "clodan", + "akiVersion": "~3.7", + "loadBefore": [], + "loadAfter": [], + "incompatibilities": [], + "contributors": [], + "scripts": { + "setup": "npm i", + "build": "node ./build.mjs", + "buildinfo": "node ./build.mjs --verbose" + }, + "devDependencies": { + "@types/node": "18.18.4", + "@typescript-eslint/eslint-plugin": "6.7.5", + "@typescript-eslint/parser": "6.7.5", + "archiver": "^6.0", + "eslint": "8.51.0", + "fs-extra": "^11.1", + "ignore": "^5.2", + "os": "^0.1", + "tsyringe": "4.8.0", + "typescript": "5.2.2", + "winston": "3.11.0" + } +} diff --git a/TypeScript/23CustomAbstractChatBot/src/AnotherCoolCommand.ts b/TypeScript/23CustomAbstractChatBot/src/AnotherCoolCommand.ts new file mode 100644 index 0000000..05a5bfa --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/src/AnotherCoolCommand.ts @@ -0,0 +1,43 @@ +import { IChatCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { inject, injectable } from "tsyringe"; + +// \/ dont forger this annotation here! +@injectable() +export class AnotherCoolCommand implements IChatCommand +{ + constructor( + @inject("MailSendService") protected mailSendService: MailSendService + ) + {} + + public getCommandPrefix(): string + { + return "anotherExample"; + } + + public getCommandHelp(command: string): string + { + if (command === "test") + { + return "Usage: anotherExample test"; + } + } + + public getCommands(): Set + { + return new Set(["test"]); + } + + public handle(command: string, commandHandler: IUserDialogInfo, sessionId: string, request: ISendMessageRequest): string + { + if (command === "test") + { + this.mailSendService.sendUserMessageToPlayer(sessionId, commandHandler, `This is another test message shown as a different example!`); + return request.dialogId; + } + } + +} diff --git a/TypeScript/23CustomAbstractChatBot/src/CustomSimpleChatBot.ts b/TypeScript/23CustomAbstractChatBot/src/CustomSimpleChatBot.ts new file mode 100644 index 0000000..57ee067 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/src/CustomSimpleChatBot.ts @@ -0,0 +1,43 @@ +import { AbstractDialogueChatBot } from "@spt-aki/helpers/Dialogue/AbstractDialogueChatBot"; +import { IChatCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { MemberCategory } from "@spt-aki/models/enums/MemberCategory"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { inject, injectAll, injectable } from "tsyringe"; + +// \/ dont forger this annotation here! +@injectable() +export class CustomSimpleChatBot extends AbstractDialogueChatBot +{ + public constructor( + @inject("WinstonLogger") logger: ILogger, + @inject("MailSendService") mailSendService: MailSendService, + // Remember to replace MyCommand for something unique to your mod! + // otherwise these dependencies could get wired for some other mod + // using the same name! + @injectAll("MyCommand") chatCommands: IChatCommand[], + ) + { + super(logger, mailSendService, chatCommands) + } + + public getChatBot(): IUserDialogInfo + { + return { + _id: "modderAbstractBot", + info: { + Level: 1, + MemberCategory: MemberCategory.SHERPA, + Nickname: "CoolAbstractChatBot", + Side: "Usec", + }, + }; + } + + protected getUnrecognizedCommandMessage(): string + { + return "No clue what you are talking about bud!" + } + +} diff --git a/TypeScript/23CustomAbstractChatBot/src/MyCoolCommand.ts b/TypeScript/23CustomAbstractChatBot/src/MyCoolCommand.ts new file mode 100644 index 0000000..17143bd --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/src/MyCoolCommand.ts @@ -0,0 +1,43 @@ +import { IChatCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { inject, injectable } from "tsyringe"; + +// \/ dont forger this annotation here! +@injectable() +export class MyCoolCommand implements IChatCommand +{ + constructor( + @inject("MailSendService") protected mailSendService: MailSendService + ) + {} + + public getCommandPrefix(): string + { + return "example"; + } + + public getCommandHelp(command: string): string + { + if (command === "test") + { + return "Usage: example test"; + } + } + + public getCommands(): Set + { + return new Set(["test"]); + } + + public handle(command: string, commandHandler: IUserDialogInfo, sessionId: string, request: ISendMessageRequest): string + { + if (command === "test") + { + this.mailSendService.sendUserMessageToPlayer(sessionId, commandHandler, `This is a test message shown as an example!`); + return request.dialogId; + } + } + +} diff --git a/TypeScript/23CustomAbstractChatBot/src/mod.ts b/TypeScript/23CustomAbstractChatBot/src/mod.ts new file mode 100644 index 0000000..6f108e9 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/src/mod.ts @@ -0,0 +1,26 @@ +import { DependencyContainer } from 'tsyringe'; + +import { IPostDBLoadMod } from "@spt-aki/models/external/IPostDBLoadMod"; +import { DialogueController } from "@spt-aki/controllers/DialogueController"; +import { CustomSimpleChatBot } from './CustomSimpleChatBot'; +import { MyCoolCommand } from './MyCoolCommand'; +import { AnotherCoolCommand } from './AnotherCoolCommand'; + +class Mod implements IPostDBLoadMod { + public postDBLoad(container: DependencyContainer): void { + // We register our commands so they get resolved by our chat bot: + container.register("MyCoolCommand", MyCoolCommand); + container.register("AnotherCoolCommand", AnotherCoolCommand); + // Here we are binding MyCoolCommand and AnotherCoolCommand to the MyCommand dependencies types + container.registerType("MyCommand", "MyCoolCommand"); + container.registerType("MyCommand", "AnotherCoolCommand"); + // Since the two commands above have been bind to "MyCommand" they will get injected automatically into the constructor + // We register and re-resolve the dependency so the container takes care of filling in the command dependencies + container.register("CustomSimpleChatBot", CustomSimpleChatBot); + container.resolve("DialogueController").registerChatBot(container.resolve("CustomSimpleChatBot")); + } +} + +module.exports = { + mod: new Mod() +} diff --git a/TypeScript/23CustomAbstractChatBot/tsconfig.json b/TypeScript/23CustomAbstractChatBot/tsconfig.json new file mode 100644 index 0000000..b9985cc --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/tsconfig.json @@ -0,0 +1,22 @@ +{ + "compilerOptions": { + "allowJs": true, + "module": "CommonJS", + "target": "ES2022", + "moduleResolution": "Node10", + "esModuleInterop": true, + "downlevelIteration": true, + "experimentalDecorators": true, + "emitDecoratorMetadata": true, + "resolveJsonModule": true, + "outDir": "tmp", + "baseUrl": ".", + "paths": { + "@spt-aki/*": ["./types/*"] + } + }, + "include": [ + "src/*", + "src/**/*" + ] +} \ No newline at end of file diff --git a/TypeScript/23CustomAbstractChatBot/types/ErrorHandler.d.ts b/TypeScript/23CustomAbstractChatBot/types/ErrorHandler.d.ts new file mode 100644 index 0000000..69b0bcd --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/ErrorHandler.d.ts @@ -0,0 +1,6 @@ +export declare class ErrorHandler { + private logger; + private readLine; + constructor(); + handleCriticalError(err: any): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/Program.d.ts b/TypeScript/23CustomAbstractChatBot/types/Program.d.ts new file mode 100644 index 0000000..afe5216 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/Program.d.ts @@ -0,0 +1,5 @@ +export declare class Program { + private errorHandler; + constructor(); + start(): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/BotCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/BotCallbacks.d.ts new file mode 100644 index 0000000..d406147 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/BotCallbacks.d.ts @@ -0,0 +1,37 @@ +import { BotController } from "@spt-aki/controllers/BotController"; +import { IGenerateBotsRequestData } from "@spt-aki/models/eft/bot/IGenerateBotsRequestData"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IBotBase } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +export declare class BotCallbacks { + protected botController: BotController; + protected httpResponse: HttpResponseUtil; + constructor(botController: BotController, httpResponse: HttpResponseUtil); + /** + * Handle singleplayer/settings/bot/limit + * Is called by client to define each bot roles wave limit + * @returns string + */ + getBotLimit(url: string, info: IEmptyRequestData, sessionID: string): string; + /** + * Handle singleplayer/settings/bot/difficulty + * @returns string + */ + getBotDifficulty(url: string, info: IEmptyRequestData, sessionID: string): string; + /** + * Handle client/game/bot/generate + * @returns IGetBodyResponseData + */ + generateBots(url: string, info: IGenerateBotsRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle singleplayer/settings/bot/maxCap + * @returns string + */ + getBotCap(): string; + /** + * Handle singleplayer/settings/bot/getBotBehaviours + * @returns string + */ + getBotBehaviours(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/BundleCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/BundleCallbacks.d.ts new file mode 100644 index 0000000..a49b8ec --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/BundleCallbacks.d.ts @@ -0,0 +1,21 @@ +import { BundleLoader } from "@spt-aki/loaders/BundleLoader"; +import { IHttpConfig } from "@spt-aki/models/spt/config/IHttpConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { HttpFileUtil } from "@spt-aki/utils/HttpFileUtil"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +export declare class BundleCallbacks { + protected logger: ILogger; + protected httpResponse: HttpResponseUtil; + protected httpFileUtil: HttpFileUtil; + protected bundleLoader: BundleLoader; + protected configServer: ConfigServer; + protected httpConfig: IHttpConfig; + constructor(logger: ILogger, httpResponse: HttpResponseUtil, httpFileUtil: HttpFileUtil, bundleLoader: BundleLoader, configServer: ConfigServer); + sendBundle(sessionID: string, req: any, resp: any, body: any): void; + /** + * Handle singleplayer/bundles + */ + getBundles(url: string, info: any, sessionID: string): string; + getBundle(url: string, info: any, sessionID: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/ClientLogCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/ClientLogCallbacks.d.ts new file mode 100644 index 0000000..8414b49 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/ClientLogCallbacks.d.ts @@ -0,0 +1,14 @@ +import { ClientLogController } from "@spt-aki/controllers/ClientLogController"; +import { INullResponseData } from "@spt-aki/models/eft/httpResponse/INullResponseData"; +import { IClientLogRequest } from "@spt-aki/models/spt/logging/IClientLogRequest"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +/** Handle client logging related events */ +export declare class ClientLogCallbacks { + protected httpResponse: HttpResponseUtil; + protected clientLogController: ClientLogController; + constructor(httpResponse: HttpResponseUtil, clientLogController: ClientLogController); + /** + * Handle /singleplayer/log + */ + clientLog(url: string, info: IClientLogRequest, sessionID: string): INullResponseData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/CustomizationCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/CustomizationCallbacks.d.ts new file mode 100644 index 0000000..9ea8faa --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/CustomizationCallbacks.d.ts @@ -0,0 +1,35 @@ +import { CustomizationController } from "@spt-aki/controllers/CustomizationController"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { ISuit } from "@spt-aki/models/eft/common/tables/ITrader"; +import { IBuyClothingRequestData } from "@spt-aki/models/eft/customization/IBuyClothingRequestData"; +import { IGetSuitsResponse } from "@spt-aki/models/eft/customization/IGetSuitsResponse"; +import { IWearClothingRequestData } from "@spt-aki/models/eft/customization/IWearClothingRequestData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +export declare class CustomizationCallbacks { + protected customizationController: CustomizationController; + protected saveServer: SaveServer; + protected httpResponse: HttpResponseUtil; + constructor(customizationController: CustomizationController, saveServer: SaveServer, httpResponse: HttpResponseUtil); + /** + * Handle client/trading/customization/storage + * @returns IGetSuitsResponse + */ + getSuits(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/trading/customization + * @returns ISuit[] + */ + getTraderSuits(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle CustomizationWear event + */ + wearClothing(pmcData: IPmcData, body: IWearClothingRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle CustomizationBuy event + */ + buyClothing(pmcData: IPmcData, body: IBuyClothingRequestData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/DataCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/DataCallbacks.d.ts new file mode 100644 index 0000000..fbac60b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/DataCallbacks.d.ts @@ -0,0 +1,85 @@ +import { HideoutController } from "@spt-aki/controllers/HideoutController"; +import { RagfairController } from "@spt-aki/controllers/RagfairController"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IGlobals } from "@spt-aki/models/eft/common/IGlobals"; +import { ICustomizationItem } from "@spt-aki/models/eft/common/tables/ICustomizationItem"; +import { IHandbookBase } from "@spt-aki/models/eft/common/tables/IHandbookBase"; +import { IGetItemPricesResponse } from "@spt-aki/models/eft/game/IGetItemPricesResponse"; +import { IHideoutArea } from "@spt-aki/models/eft/hideout/IHideoutArea"; +import { IHideoutProduction } from "@spt-aki/models/eft/hideout/IHideoutProduction"; +import { IHideoutScavCase } from "@spt-aki/models/eft/hideout/IHideoutScavCase"; +import { IHideoutSettingsBase } from "@spt-aki/models/eft/hideout/IHideoutSettingsBase"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { ISettingsBase } from "@spt-aki/models/spt/server/ISettingsBase"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +/** + * Handle client requests + */ +export declare class DataCallbacks { + protected httpResponse: HttpResponseUtil; + protected databaseServer: DatabaseServer; + protected ragfairController: RagfairController; + protected hideoutController: HideoutController; + constructor(httpResponse: HttpResponseUtil, databaseServer: DatabaseServer, ragfairController: RagfairController, hideoutController: HideoutController); + /** + * Handle client/settings + * @returns ISettingsBase + */ + getSettings(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/globals + * @returns IGlobals + */ + getGlobals(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/items + * @returns string + */ + getTemplateItems(url: string, info: IEmptyRequestData, sessionID: string): string; + /** + * Handle client/handbook/templates + * @returns IHandbookBase + */ + getTemplateHandbook(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/customization + * @returns Record>; + /** + * Handle client/account/customization + * @returns string[] + */ + getTemplateCharacter(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/hideout/settings + * @returns IHideoutSettingsBase + */ + getHideoutSettings(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getHideoutAreas(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + gethideoutProduction(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getHideoutScavcase(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/languages + */ + getLocalesLanguages(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData>; + /** + * Handle client/menu/locale + */ + getLocalesMenu(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/locale + */ + getLocalesGlobal(url: string, info: IEmptyRequestData, sessionID: string): string; + /** + * Handle client/hideout/qte/list + */ + getQteList(url: string, info: IEmptyRequestData, sessionID: string): string; + /** + * Handle client/items/prices/ + * Called when viewing a traders assorts + * TODO - fully implement this + */ + getItemPrices(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/DialogueCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/DialogueCallbacks.d.ts new file mode 100644 index 0000000..7ed60b9 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/DialogueCallbacks.d.ts @@ -0,0 +1,98 @@ +import { DialogueController } from "@spt-aki/controllers/DialogueController"; +import { OnUpdate } from "@spt-aki/di/OnUpdate"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IAcceptFriendRequestData, ICancelFriendRequestData } from "@spt-aki/models/eft/dialog/IAcceptFriendRequestData"; +import { IChatServer } from "@spt-aki/models/eft/dialog/IChatServer"; +import { IClearMailMessageRequest } from "@spt-aki/models/eft/dialog/IClearMailMessageRequest"; +import { IDeleteFriendRequest } from "@spt-aki/models/eft/dialog/IDeleteFriendRequest"; +import { IFriendRequestData } from "@spt-aki/models/eft/dialog/IFriendRequestData"; +import { IFriendRequestSendResponse } from "@spt-aki/models/eft/dialog/IFriendRequestSendResponse"; +import { IGetAllAttachmentsRequestData } from "@spt-aki/models/eft/dialog/IGetAllAttachmentsRequestData"; +import { IGetAllAttachmentsResponse } from "@spt-aki/models/eft/dialog/IGetAllAttachmentsResponse"; +import { IGetChatServerListRequestData } from "@spt-aki/models/eft/dialog/IGetChatServerListRequestData"; +import { IGetFriendListDataResponse } from "@spt-aki/models/eft/dialog/IGetFriendListDataResponse"; +import { IGetMailDialogInfoRequestData } from "@spt-aki/models/eft/dialog/IGetMailDialogInfoRequestData"; +import { IGetMailDialogListRequestData } from "@spt-aki/models/eft/dialog/IGetMailDialogListRequestData"; +import { IGetMailDialogViewRequestData } from "@spt-aki/models/eft/dialog/IGetMailDialogViewRequestData"; +import { IGetMailDialogViewResponseData } from "@spt-aki/models/eft/dialog/IGetMailDialogViewResponseData"; +import { IPinDialogRequestData } from "@spt-aki/models/eft/dialog/IPinDialogRequestData"; +import { IRemoveDialogRequestData } from "@spt-aki/models/eft/dialog/IRemoveDialogRequestData"; +import { IRemoveMailMessageRequest } from "@spt-aki/models/eft/dialog/IRemoveMailMessageRequest"; +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { ISetDialogReadRequestData } from "@spt-aki/models/eft/dialog/ISetDialogReadRequestData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { INullResponseData } from "@spt-aki/models/eft/httpResponse/INullResponseData"; +import { DialogueInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class DialogueCallbacks implements OnUpdate { + protected hashUtil: HashUtil; + protected timeUtil: TimeUtil; + protected httpResponse: HttpResponseUtil; + protected dialogueController: DialogueController; + constructor(hashUtil: HashUtil, timeUtil: TimeUtil, httpResponse: HttpResponseUtil, dialogueController: DialogueController); + /** + * Handle client/friend/list + * @returns IGetFriendListDataResponse + */ + getFriendList(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/chatServer/list + * @returns IChatServer[] + */ + getChatServerList(url: string, info: IGetChatServerListRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/mail/dialog/list */ + getMailDialogList(url: string, info: IGetMailDialogListRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/mail/dialog/view */ + getMailDialogView(url: string, info: IGetMailDialogViewRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/mail/dialog/info */ + getMailDialogInfo(url: string, info: IGetMailDialogInfoRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/mail/dialog/remove */ + removeDialog(url: string, info: IRemoveDialogRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/mail/dialog/pin */ + pinDialog(url: string, info: IPinDialogRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/mail/dialog/unpin */ + unpinDialog(url: string, info: IPinDialogRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/mail/dialog/read */ + setRead(url: string, info: ISetDialogReadRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/mail/dialog/getAllAttachments + * @returns IGetAllAttachmentsResponse + */ + getAllAttachments(url: string, info: IGetAllAttachmentsRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/mail/msg/send */ + sendMessage(url: string, request: ISendMessageRequest, sessionID: string): IGetBodyResponseData; + /** Handle client/friend/request/list/outbox */ + listOutbox(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/friend/request/list/inbox + */ + listInbox(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/friend/request/send + */ + sendFriendRequest(url: string, request: IFriendRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/friend/request/accept + */ + acceptFriendRequest(url: string, request: IAcceptFriendRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/friend/request/cancel + */ + cancelFriendRequest(url: string, request: ICancelFriendRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/friend/delete */ + deleteFriend(url: string, request: IDeleteFriendRequest, sessionID: string): INullResponseData; + /** Handle client/friend/ignore/set */ + ignoreFriend(url: string, request: { + uid: string; + }, sessionID: string): INullResponseData; + /** Handle client/friend/ignore/remove */ + unIgnoreFriend(url: string, request: { + uid: string; + }, sessionID: string): INullResponseData; + clearMail(url: string, request: IClearMailMessageRequest, sessionID: string): IGetBodyResponseData; + removeMail(url: string, request: IRemoveMailMessageRequest, sessionID: string): IGetBodyResponseData; + onUpdate(timeSinceLastRun: number): Promise; + getRoute(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/GameCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/GameCallbacks.d.ts new file mode 100644 index 0000000..09124c6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/GameCallbacks.d.ts @@ -0,0 +1,78 @@ +import { GameController } from "@spt-aki/controllers/GameController"; +import { OnLoad } from "@spt-aki/di/OnLoad"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { ICheckVersionResponse } from "@spt-aki/models/eft/game/ICheckVersionResponse"; +import { ICurrentGroupResponse } from "@spt-aki/models/eft/game/ICurrentGroupResponse"; +import { IGameConfigResponse } from "@spt-aki/models/eft/game/IGameConfigResponse"; +import { IGameEmptyCrcRequestData } from "@spt-aki/models/eft/game/IGameEmptyCrcRequestData"; +import { IGameKeepAliveResponse } from "@spt-aki/models/eft/game/IGameKeepAliveResponse"; +import { IGameLogoutResponseData } from "@spt-aki/models/eft/game/IGameLogoutResponseData"; +import { IGameStartResponse } from "@spt-aki/models/eft/game/IGameStartResponse"; +import { IGetRaidTimeRequest } from "@spt-aki/models/eft/game/IGetRaidTimeRequest"; +import { IGetRaidTimeResponse } from "@spt-aki/models/eft/game/IGetRaidTimeResponse"; +import { IReportNicknameRequestData } from "@spt-aki/models/eft/game/IReportNicknameRequestData"; +import { IServerDetails } from "@spt-aki/models/eft/game/IServerDetails"; +import { IVersionValidateRequestData } from "@spt-aki/models/eft/game/IVersionValidateRequestData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { INullResponseData } from "@spt-aki/models/eft/httpResponse/INullResponseData"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { Watermark } from "@spt-aki/utils/Watermark"; +export declare class GameCallbacks implements OnLoad { + protected httpResponse: HttpResponseUtil; + protected watermark: Watermark; + protected saveServer: SaveServer; + protected gameController: GameController; + constructor(httpResponse: HttpResponseUtil, watermark: Watermark, saveServer: SaveServer, gameController: GameController); + onLoad(): Promise; + getRoute(): string; + /** + * Handle client/game/version/validate + * @returns INullResponseData + */ + versionValidate(url: string, info: IVersionValidateRequestData, sessionID: string): INullResponseData; + /** + * Handle client/game/start + * @returns IGameStartResponse + */ + gameStart(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/game/logout + * Save profiles on game close + * @returns IGameLogoutResponseData + */ + gameLogout(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/game/config + * @returns IGameConfigResponse + */ + getGameConfig(url: string, info: IGameEmptyCrcRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/server/list + */ + getServer(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/match/group/current + */ + getCurrentGroup(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/checkVersion + */ + validateGameVersion(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/game/keepalive + * @returns IGameKeepAliveResponse + */ + gameKeepalive(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle singleplayer/settings/version + * @returns string + */ + getVersion(url: string, info: IEmptyRequestData, sessionID: string): string; + reportNickname(url: string, info: IReportNicknameRequestData, sessionID: string): INullResponseData; + /** + * Handle singleplayer/settings/getRaidTime + * @returns string + */ + getRaidTime(url: string, request: IGetRaidTimeRequest, sessionID: string): IGetRaidTimeResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/HandbookCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/HandbookCallbacks.d.ts new file mode 100644 index 0000000..0a099e9 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/HandbookCallbacks.d.ts @@ -0,0 +1,8 @@ +import { HandbookController } from "@spt-aki/controllers/HandbookController"; +import { OnLoad } from "@spt-aki/di/OnLoad"; +export declare class HandbookCallbacks implements OnLoad { + protected handbookController: HandbookController; + constructor(handbookController: HandbookController); + onLoad(): Promise; + getRoute(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/HealthCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/HealthCallbacks.d.ts new file mode 100644 index 0000000..24b633b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/HealthCallbacks.d.ts @@ -0,0 +1,48 @@ +import { HealthController } from "@spt-aki/controllers/HealthController"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IHealthTreatmentRequestData } from "@spt-aki/models/eft/health/IHealthTreatmentRequestData"; +import { IOffraidEatRequestData } from "@spt-aki/models/eft/health/IOffraidEatRequestData"; +import { IOffraidHealRequestData } from "@spt-aki/models/eft/health/IOffraidHealRequestData"; +import { ISyncHealthRequestData } from "@spt-aki/models/eft/health/ISyncHealthRequestData"; +import { IWorkoutData } from "@spt-aki/models/eft/health/IWorkoutData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +export declare class HealthCallbacks { + protected httpResponse: HttpResponseUtil; + protected profileHelper: ProfileHelper; + protected healthController: HealthController; + constructor(httpResponse: HttpResponseUtil, profileHelper: ProfileHelper, healthController: HealthController); + /** + * Custom aki server request found in modules/HealthSynchronizer.cs + * @param url + * @param info HealthListener.Instance.CurrentHealth class + * @param sessionID session id + * @returns empty response, no data sent back to client + */ + syncHealth(url: string, info: ISyncHealthRequestData, sessionID: string): IGetBodyResponseData; + /** + * Custom aki server request found in modules/QTEPatch.cs + * @param url + * @param info HealthListener.Instance.CurrentHealth class + * @param sessionID session id + * @returns empty response, no data sent back to client + */ + handleWorkoutEffects(url: string, info: IWorkoutData, sessionID: string): IGetBodyResponseData; + /** + * Handle Eat + * @returns IItemEventRouterResponse + */ + offraidEat(pmcData: IPmcData, body: IOffraidEatRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle Heal + * @returns IItemEventRouterResponse + */ + offraidHeal(pmcData: IPmcData, body: IOffraidHealRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle RestoreHealth + * @returns IItemEventRouterResponse + */ + healthTreatment(pmcData: IPmcData, info: IHealthTreatmentRequestData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/HideoutCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/HideoutCallbacks.d.ts new file mode 100644 index 0000000..65c989a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/HideoutCallbacks.d.ts @@ -0,0 +1,80 @@ +import { HideoutController } from "@spt-aki/controllers/HideoutController"; +import { OnUpdate } from "@spt-aki/di/OnUpdate"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IHandleQTEEventRequestData } from "@spt-aki/models/eft/hideout/IHandleQTEEventRequestData"; +import { IHideoutCancelProductionRequestData } from "@spt-aki/models/eft/hideout/IHideoutCancelProductionRequestData"; +import { IHideoutContinuousProductionStartRequestData } from "@spt-aki/models/eft/hideout/IHideoutContinuousProductionStartRequestData"; +import { IHideoutImproveAreaRequestData } from "@spt-aki/models/eft/hideout/IHideoutImproveAreaRequestData"; +import { IHideoutPutItemInRequestData } from "@spt-aki/models/eft/hideout/IHideoutPutItemInRequestData"; +import { IHideoutScavCaseStartRequestData } from "@spt-aki/models/eft/hideout/IHideoutScavCaseStartRequestData"; +import { IHideoutSingleProductionStartRequestData } from "@spt-aki/models/eft/hideout/IHideoutSingleProductionStartRequestData"; +import { IHideoutTakeItemOutRequestData } from "@spt-aki/models/eft/hideout/IHideoutTakeItemOutRequestData"; +import { IHideoutTakeProductionRequestData } from "@spt-aki/models/eft/hideout/IHideoutTakeProductionRequestData"; +import { IHideoutToggleAreaRequestData } from "@spt-aki/models/eft/hideout/IHideoutToggleAreaRequestData"; +import { IHideoutUpgradeCompleteRequestData } from "@spt-aki/models/eft/hideout/IHideoutUpgradeCompleteRequestData"; +import { IHideoutUpgradeRequestData } from "@spt-aki/models/eft/hideout/IHideoutUpgradeRequestData"; +import { IRecordShootingRangePoints } from "@spt-aki/models/eft/hideout/IRecordShootingRangePoints"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IHideoutConfig } from "@spt-aki/models/spt/config/IHideoutConfig"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +export declare class HideoutCallbacks implements OnUpdate { + protected hideoutController: HideoutController; + protected configServer: ConfigServer; + protected hideoutConfig: IHideoutConfig; + constructor(hideoutController: HideoutController, // TODO: delay needed + configServer: ConfigServer); + /** + * Handle HideoutUpgrade event + */ + upgrade(pmcData: IPmcData, body: IHideoutUpgradeRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle HideoutUpgradeComplete event + */ + upgradeComplete(pmcData: IPmcData, body: IHideoutUpgradeCompleteRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle HideoutPutItemsInAreaSlots + */ + putItemsInAreaSlots(pmcData: IPmcData, body: IHideoutPutItemInRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle HideoutTakeItemsFromAreaSlots event + */ + takeItemsFromAreaSlots(pmcData: IPmcData, body: IHideoutTakeItemOutRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle HideoutToggleArea event + */ + toggleArea(pmcData: IPmcData, body: IHideoutToggleAreaRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle HideoutSingleProductionStart event + */ + singleProductionStart(pmcData: IPmcData, body: IHideoutSingleProductionStartRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle HideoutScavCaseProductionStart event + */ + scavCaseProductionStart(pmcData: IPmcData, body: IHideoutScavCaseStartRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle HideoutContinuousProductionStart + */ + continuousProductionStart(pmcData: IPmcData, body: IHideoutContinuousProductionStartRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle HideoutTakeProduction event + */ + takeProduction(pmcData: IPmcData, body: IHideoutTakeProductionRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle HideoutQuickTimeEvent + */ + handleQTEEvent(pmcData: IPmcData, request: IHandleQTEEventRequestData, sessionId: string): IItemEventRouterResponse; + /** + * Handle client/game/profile/items/moving - RecordShootingRangePoints + */ + recordShootingRangePoints(pmcData: IPmcData, request: IRecordShootingRangePoints, sessionId: string): IItemEventRouterResponse; + /** + * Handle client/game/profile/items/moving - RecordShootingRangePoints + */ + improveArea(pmcData: IPmcData, request: IHideoutImproveAreaRequestData, sessionId: string): IItemEventRouterResponse; + /** + * Handle client/game/profile/items/moving - HideoutCancelProductionCommand + */ + cancelProduction(pmcData: IPmcData, request: IHideoutCancelProductionRequestData, sessionId: string): IItemEventRouterResponse; + onUpdate(timeSinceLastRun: number): Promise; + getRoute(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/HttpCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/HttpCallbacks.d.ts new file mode 100644 index 0000000..060301a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/HttpCallbacks.d.ts @@ -0,0 +1,9 @@ +import { OnLoad } from "@spt-aki/di/OnLoad"; +import { HttpServer } from "@spt-aki/servers/HttpServer"; +export declare class HttpCallbacks implements OnLoad { + protected httpServer: HttpServer; + constructor(httpServer: HttpServer); + onLoad(): Promise; + getRoute(): string; + getImage(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/InraidCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/InraidCallbacks.d.ts new file mode 100644 index 0000000..ea77d62 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/InraidCallbacks.d.ts @@ -0,0 +1,50 @@ +import { InraidController } from "@spt-aki/controllers/InraidController"; +import { INullResponseData } from "@spt-aki/models/eft/httpResponse/INullResponseData"; +import { IRegisterPlayerRequestData } from "@spt-aki/models/eft/inRaid/IRegisterPlayerRequestData"; +import { ISaveProgressRequestData } from "@spt-aki/models/eft/inRaid/ISaveProgressRequestData"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +/** + * Handle client requests + */ +export declare class InraidCallbacks { + protected inraidController: InraidController; + protected httpResponse: HttpResponseUtil; + constructor(inraidController: InraidController, httpResponse: HttpResponseUtil); + /** + * Handle client/location/getLocalloot + * Store active map in profile + applicationContext + * @param url + * @param info register player request + * @param sessionID Session id + * @returns Null http response + */ + registerPlayer(url: string, info: IRegisterPlayerRequestData, sessionID: string): INullResponseData; + /** + * Handle raid/profile/save + * @param url + * @param info Save progress request + * @param sessionID Session id + * @returns Null http response + */ + saveProgress(url: string, info: ISaveProgressRequestData, sessionID: string): INullResponseData; + /** + * Handle singleplayer/settings/raid/endstate + * @returns + */ + getRaidEndState(): string; + /** + * Handle singleplayer/settings/raid/menu + * @returns JSON as string + */ + getRaidMenuSettings(): string; + /** + * Handle singleplayer/settings/weapon/durability + * @returns + */ + getWeaponDurability(): string; + /** + * Handle singleplayer/airdrop/config + * @returns JSON as string + */ + getAirdropConfig(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/InsuranceCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/InsuranceCallbacks.d.ts new file mode 100644 index 0000000..1c57629 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/InsuranceCallbacks.d.ts @@ -0,0 +1,32 @@ +import { InsuranceController } from "@spt-aki/controllers/InsuranceController"; +import { OnUpdate } from "@spt-aki/di/OnUpdate"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { IGetInsuranceCostRequestData } from "@spt-aki/models/eft/insurance/IGetInsuranceCostRequestData"; +import { IGetInsuranceCostResponseData } from "@spt-aki/models/eft/insurance/IGetInsuranceCostResponseData"; +import { IInsureRequestData } from "@spt-aki/models/eft/insurance/IInsureRequestData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IInsuranceConfig } from "@spt-aki/models/spt/config/IInsuranceConfig"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { InsuranceService } from "@spt-aki/services/InsuranceService"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +export declare class InsuranceCallbacks implements OnUpdate { + protected insuranceController: InsuranceController; + protected insuranceService: InsuranceService; + protected httpResponse: HttpResponseUtil; + protected configServer: ConfigServer; + protected insuranceConfig: IInsuranceConfig; + constructor(insuranceController: InsuranceController, insuranceService: InsuranceService, httpResponse: HttpResponseUtil, configServer: ConfigServer); + /** + * Handle client/insurance/items/list/cost + * @returns IGetInsuranceCostResponseData + */ + getInsuranceCost(url: string, info: IGetInsuranceCostRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle Insure event + * @returns IItemEventRouterResponse + */ + insure(pmcData: IPmcData, body: IInsureRequestData, sessionID: string): IItemEventRouterResponse; + onUpdate(secondsSinceLastRun: number): Promise; + getRoute(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/InventoryCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/InventoryCallbacks.d.ts new file mode 100644 index 0000000..ddbb070 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/InventoryCallbacks.d.ts @@ -0,0 +1,51 @@ +import { InventoryController } from "@spt-aki/controllers/InventoryController"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IInventoryBindRequestData } from "@spt-aki/models/eft/inventory/IInventoryBindRequestData"; +import { IInventoryCreateMarkerRequestData } from "@spt-aki/models/eft/inventory/IInventoryCreateMarkerRequestData"; +import { IInventoryDeleteMarkerRequestData } from "@spt-aki/models/eft/inventory/IInventoryDeleteMarkerRequestData"; +import { IInventoryEditMarkerRequestData } from "@spt-aki/models/eft/inventory/IInventoryEditMarkerRequestData"; +import { IInventoryExamineRequestData } from "@spt-aki/models/eft/inventory/IInventoryExamineRequestData"; +import { IInventoryFoldRequestData } from "@spt-aki/models/eft/inventory/IInventoryFoldRequestData"; +import { IInventoryMergeRequestData } from "@spt-aki/models/eft/inventory/IInventoryMergeRequestData"; +import { IInventoryMoveRequestData } from "@spt-aki/models/eft/inventory/IInventoryMoveRequestData"; +import { IInventoryReadEncyclopediaRequestData } from "@spt-aki/models/eft/inventory/IInventoryReadEncyclopediaRequestData"; +import { IInventoryRemoveRequestData } from "@spt-aki/models/eft/inventory/IInventoryRemoveRequestData"; +import { IInventorySortRequestData } from "@spt-aki/models/eft/inventory/IInventorySortRequestData"; +import { IInventorySplitRequestData } from "@spt-aki/models/eft/inventory/IInventorySplitRequestData"; +import { IInventorySwapRequestData } from "@spt-aki/models/eft/inventory/IInventorySwapRequestData"; +import { IInventoryTagRequestData } from "@spt-aki/models/eft/inventory/IInventoryTagRequestData"; +import { IInventoryToggleRequestData } from "@spt-aki/models/eft/inventory/IInventoryToggleRequestData"; +import { IInventoryTransferRequestData } from "@spt-aki/models/eft/inventory/IInventoryTransferRequestData"; +import { IOpenRandomLootContainerRequestData } from "@spt-aki/models/eft/inventory/IOpenRandomLootContainerRequestData"; +import { IRedeemProfileRequestData } from "@spt-aki/models/eft/inventory/IRedeemProfileRequestData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export declare class InventoryCallbacks { + protected inventoryController: InventoryController; + constructor(inventoryController: InventoryController); + /** Handle Move event */ + moveItem(pmcData: IPmcData, body: IInventoryMoveRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle Remove event */ + removeItem(pmcData: IPmcData, body: IInventoryRemoveRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle Split event */ + splitItem(pmcData: IPmcData, body: IInventorySplitRequestData, sessionID: string): IItemEventRouterResponse; + mergeItem(pmcData: IPmcData, body: IInventoryMergeRequestData, sessionID: string): IItemEventRouterResponse; + transferItem(pmcData: IPmcData, body: IInventoryTransferRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle Swap */ + swapItem(pmcData: IPmcData, body: IInventorySwapRequestData, sessionID: string): IItemEventRouterResponse; + foldItem(pmcData: IPmcData, body: IInventoryFoldRequestData, sessionID: string): IItemEventRouterResponse; + toggleItem(pmcData: IPmcData, body: IInventoryToggleRequestData, sessionID: string): IItemEventRouterResponse; + tagItem(pmcData: IPmcData, body: IInventoryTagRequestData, sessionID: string): IItemEventRouterResponse; + bindItem(pmcData: IPmcData, body: IInventoryBindRequestData, sessionID: string): IItemEventRouterResponse; + unbindItem(pmcData: IPmcData, body: IInventoryBindRequestData, sessionID: string): IItemEventRouterResponse; + examineItem(pmcData: IPmcData, body: IInventoryExamineRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle ReadEncyclopedia */ + readEncyclopedia(pmcData: IPmcData, body: IInventoryReadEncyclopediaRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle ApplyInventoryChanges */ + sortInventory(pmcData: IPmcData, body: IInventorySortRequestData, sessionID: string): IItemEventRouterResponse; + createMapMarker(pmcData: IPmcData, body: IInventoryCreateMarkerRequestData, sessionID: string): IItemEventRouterResponse; + deleteMapMarker(pmcData: IPmcData, body: IInventoryDeleteMarkerRequestData, sessionID: string): IItemEventRouterResponse; + editMapMarker(pmcData: IPmcData, body: IInventoryEditMarkerRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle OpenRandomLootContainer */ + openRandomLootContainer(pmcData: IPmcData, body: IOpenRandomLootContainerRequestData, sessionID: string): IItemEventRouterResponse; + redeemProfileReward(pmcData: IPmcData, body: IRedeemProfileRequestData, sessionId: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/ItemEventCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/ItemEventCallbacks.d.ts new file mode 100644 index 0000000..b040607 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/ItemEventCallbacks.d.ts @@ -0,0 +1,13 @@ +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { Warning } from "@spt-aki/models/eft/itemEvent/IItemEventRouterBase"; +import { IItemEventRouterRequest } from "@spt-aki/models/eft/itemEvent/IItemEventRouterRequest"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { ItemEventRouter } from "@spt-aki/routers/ItemEventRouter"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +export declare class ItemEventCallbacks { + protected httpResponse: HttpResponseUtil; + protected itemEventRouter: ItemEventRouter; + constructor(httpResponse: HttpResponseUtil, itemEventRouter: ItemEventRouter); + handleEvents(url: string, info: IItemEventRouterRequest, sessionID: string): IGetBodyResponseData; + protected getErrorCode(warnings: Warning[]): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/LauncherCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/LauncherCallbacks.d.ts new file mode 100644 index 0000000..b452291 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/LauncherCallbacks.d.ts @@ -0,0 +1,29 @@ +import { LauncherController } from "@spt-aki/controllers/LauncherController"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IChangeRequestData } from "@spt-aki/models/eft/launcher/IChangeRequestData"; +import { ILoginRequestData } from "@spt-aki/models/eft/launcher/ILoginRequestData"; +import { IRegisterData } from "@spt-aki/models/eft/launcher/IRegisterData"; +import { IRemoveProfileData } from "@spt-aki/models/eft/launcher/IRemoveProfileData"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { Watermark } from "@spt-aki/utils/Watermark"; +export declare class LauncherCallbacks { + protected httpResponse: HttpResponseUtil; + protected launcherController: LauncherController; + protected saveServer: SaveServer; + protected watermark: Watermark; + constructor(httpResponse: HttpResponseUtil, launcherController: LauncherController, saveServer: SaveServer, watermark: Watermark); + connect(): string; + login(url: string, info: ILoginRequestData, sessionID: string): string; + register(url: string, info: IRegisterData, sessionID: string): "FAILED" | "OK"; + get(url: string, info: ILoginRequestData, sessionID: string): string; + changeUsername(url: string, info: IChangeRequestData, sessionID: string): "FAILED" | "OK"; + changePassword(url: string, info: IChangeRequestData, sessionID: string): "FAILED" | "OK"; + wipe(url: string, info: IRegisterData, sessionID: string): "FAILED" | "OK"; + getServerVersion(): string; + ping(url: string, info: IEmptyRequestData, sessionID: string): string; + removeProfile(url: string, info: IRemoveProfileData, sessionID: string): string; + getCompatibleTarkovVersion(): string; + getLoadedServerMods(): string; + getServerModsProfileUsed(url: string, info: IEmptyRequestData, sessionId: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/LocationCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/LocationCallbacks.d.ts new file mode 100644 index 0000000..a370219 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/LocationCallbacks.d.ts @@ -0,0 +1,18 @@ +import { LocationController } from "@spt-aki/controllers/LocationController"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { ILocationBase } from "@spt-aki/models/eft/common/ILocationBase"; +import { ILocationsGenerateAllResponse } from "@spt-aki/models/eft/common/ILocationsSourceDestinationBase"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { IGetLocationRequestData } from "@spt-aki/models/eft/location/IGetLocationRequestData"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +export declare class LocationCallbacks { + protected httpResponse: HttpResponseUtil; + protected locationController: LocationController; + constructor(httpResponse: HttpResponseUtil, locationController: LocationController); + /** Handle client/locations */ + getLocationData(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/location/getLocalloot */ + getLocation(url: string, info: IGetLocationRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/location/getAirdropLoot */ + getAirdropLoot(url: string, info: IEmptyRequestData, sessionID: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/MatchCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/MatchCallbacks.d.ts new file mode 100644 index 0000000..a6f2ccf --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/MatchCallbacks.d.ts @@ -0,0 +1,74 @@ +import { MatchController } from "@spt-aki/controllers/MatchController"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { INullResponseData } from "@spt-aki/models/eft/httpResponse/INullResponseData"; +import { IAcceptGroupInviteRequest } from "@spt-aki/models/eft/match/IAcceptGroupInviteRequest"; +import { IAcceptGroupInviteResponse } from "@spt-aki/models/eft/match/IAcceptGroupInviteResponse"; +import { ICancelGroupInviteRequest } from "@spt-aki/models/eft/match/ICancelGroupInviteRequest"; +import { ICreateGroupRequestData } from "@spt-aki/models/eft/match/ICreateGroupRequestData"; +import { IEndOfflineRaidRequestData } from "@spt-aki/models/eft/match/IEndOfflineRaidRequestData"; +import { IGetGroupStatusRequestData } from "@spt-aki/models/eft/match/IGetGroupStatusRequestData"; +import { IGetGroupStatusResponse } from "@spt-aki/models/eft/match/IGetGroupStatusResponse"; +import { IGetProfileRequestData } from "@spt-aki/models/eft/match/IGetProfileRequestData"; +import { IGetRaidConfigurationRequestData } from "@spt-aki/models/eft/match/IGetRaidConfigurationRequestData"; +import { IJoinMatchRequestData } from "@spt-aki/models/eft/match/IJoinMatchRequestData"; +import { IJoinMatchResult } from "@spt-aki/models/eft/match/IJoinMatchResult"; +import { IPutMetricsRequestData } from "@spt-aki/models/eft/match/IPutMetricsRequestData"; +import { IRemovePlayerFromGroupRequest } from "@spt-aki/models/eft/match/IRemovePlayerFromGroupRequest"; +import { ISendGroupInviteRequest } from "@spt-aki/models/eft/match/ISendGroupInviteRequest"; +import { ITransferGroupRequest } from "@spt-aki/models/eft/match/ITransferGroupRequest"; +import { IUpdatePingRequestData } from "@spt-aki/models/eft/match/IUpdatePingRequestData"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class MatchCallbacks { + protected httpResponse: HttpResponseUtil; + protected jsonUtil: JsonUtil; + protected matchController: MatchController; + protected databaseServer: DatabaseServer; + constructor(httpResponse: HttpResponseUtil, jsonUtil: JsonUtil, matchController: MatchController, databaseServer: DatabaseServer); + /** Handle client/match/updatePing */ + updatePing(url: string, info: IUpdatePingRequestData, sessionID: string): INullResponseData; + exitMatch(url: string, info: IEmptyRequestData, sessionID: string): INullResponseData; + /** Handle client/match/group/exit_from_menu */ + exitToMenu(url: string, info: IEmptyRequestData, sessionID: string): INullResponseData; + startGroupSearch(url: string, info: IEmptyRequestData, sessionID: string): INullResponseData; + stopGroupSearch(url: string, info: IEmptyRequestData, sessionID: string): INullResponseData; + /** Handle client/match/group/invite/send */ + sendGroupInvite(url: string, info: ISendGroupInviteRequest, sessionID: string): IGetBodyResponseData; + /** Handle client/match/group/invite/accept */ + acceptGroupInvite(url: string, info: IAcceptGroupInviteRequest, sessionID: string): IGetBodyResponseData; + /** Handle client/match/group/invite/cancel */ + cancelGroupInvite(url: string, info: ICancelGroupInviteRequest, sessionID: string): IGetBodyResponseData; + /** Handle client/match/group/transfer */ + transferGroup(url: string, info: ITransferGroupRequest, sessionID: string): IGetBodyResponseData; + /** Handle client/match/group/invite/cancel-all */ + cancelAllGroupInvite(url: string, info: any, sessionID: string): INullResponseData; + /** @deprecated - not called on raid start/end or game start/exit */ + putMetrics(url: string, info: IPutMetricsRequestData, sessionID: string): INullResponseData; + /** Handle raid/profile/list */ + getProfile(url: string, info: IGetProfileRequestData, sessionID: string): IGetBodyResponseData; + serverAvailable(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** Handle match/group/start_game */ + joinMatch(url: string, info: IJoinMatchRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/getMetricsConfig */ + getMetrics(url: string, info: any, sessionID: string): IGetBodyResponseData; + /** + * @deprecated - not called on raid start/end or game start/exit + * Handle client/match/group/status + * @returns + */ + getGroupStatus(url: string, info: IGetGroupStatusRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/match/group/create */ + createGroup(url: string, info: ICreateGroupRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/match/group/delete */ + deleteGroup(url: string, info: any, sessionID: string): INullResponseData; + leaveGroup(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/match/group/player/remove */ + removePlayerFromGroup(url: string, info: IRemovePlayerFromGroupRequest, sessionID: string): INullResponseData; + /** Handle client/match/offline/end */ + endOfflineRaid(url: string, info: IEndOfflineRaidRequestData, sessionID: string): INullResponseData; + /** Handle client/raid/configuration */ + getRaidConfiguration(url: string, info: IGetRaidConfigurationRequestData, sessionID: string): INullResponseData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/ModCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/ModCallbacks.d.ts new file mode 100644 index 0000000..6af1e68 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/ModCallbacks.d.ts @@ -0,0 +1,20 @@ +import { OnLoad } from "@spt-aki/di/OnLoad"; +import { PostAkiModLoader } from "@spt-aki/loaders/PostAkiModLoader"; +import { IHttpConfig } from "@spt-aki/models/spt/config/IHttpConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HttpFileUtil } from "@spt-aki/utils/HttpFileUtil"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +export declare class ModCallbacks implements OnLoad { + protected logger: ILogger; + protected httpResponse: HttpResponseUtil; + protected httpFileUtil: HttpFileUtil; + protected postAkiModLoader: PostAkiModLoader; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected httpConfig: IHttpConfig; + constructor(logger: ILogger, httpResponse: HttpResponseUtil, httpFileUtil: HttpFileUtil, postAkiModLoader: PostAkiModLoader, localisationService: LocalisationService, configServer: ConfigServer); + onLoad(): Promise; + getRoute(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/NoteCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/NoteCallbacks.d.ts new file mode 100644 index 0000000..a60d3bb --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/NoteCallbacks.d.ts @@ -0,0 +1,14 @@ +import { NoteController } from "@spt-aki/controllers/NoteController"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { INoteActionData } from "@spt-aki/models/eft/notes/INoteActionData"; +export declare class NoteCallbacks { + protected noteController: NoteController; + constructor(noteController: NoteController); + /** Handle AddNote event */ + addNote(pmcData: IPmcData, body: INoteActionData, sessionID: string): IItemEventRouterResponse; + /** Handle EditNote event */ + editNote(pmcData: IPmcData, body: INoteActionData, sessionID: string): IItemEventRouterResponse; + /** Handle DeleteNote event */ + deleteNote(pmcData: IPmcData, body: INoteActionData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/NotifierCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/NotifierCallbacks.d.ts new file mode 100644 index 0000000..59faade --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/NotifierCallbacks.d.ts @@ -0,0 +1,34 @@ +import { NotifierController } from "@spt-aki/controllers/NotifierController"; +import { HttpServerHelper } from "@spt-aki/helpers/HttpServerHelper"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { INotifierChannel } from "@spt-aki/models/eft/notifier/INotifier"; +import { ISelectProfileRequestData } from "@spt-aki/models/eft/notifier/ISelectProfileRequestData"; +import { ISelectProfileResponse } from "@spt-aki/models/eft/notifier/ISelectProfileResponse"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class NotifierCallbacks { + protected httpServerHelper: HttpServerHelper; + protected httpResponse: HttpResponseUtil; + protected jsonUtil: JsonUtil; + protected notifierController: NotifierController; + constructor(httpServerHelper: HttpServerHelper, httpResponse: HttpResponseUtil, jsonUtil: JsonUtil, notifierController: NotifierController); + /** + * If we don't have anything to send, it's ok to not send anything back + * because notification requests can be long-polling. In fact, we SHOULD wait + * until we actually have something to send because otherwise we'd spam the client + * and the client would abort the connection due to spam. + */ + sendNotification(sessionID: string, req: any, resp: any, data: any): void; + /** Handle push/notifier/get */ + /** Handle push/notifier/getwebsocket */ + getNotifier(url: string, info: any, sessionID: string): IGetBodyResponseData; + /** Handle client/notifier/channel/create */ + createNotifierChannel(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/game/profile/select + * @returns ISelectProfileResponse + */ + selectProfile(url: string, info: ISelectProfileRequestData, sessionID: string): IGetBodyResponseData; + notify(url: string, info: any, sessionID: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/PresetBuildCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/PresetBuildCallbacks.d.ts new file mode 100644 index 0000000..f5a4c49 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/PresetBuildCallbacks.d.ts @@ -0,0 +1,26 @@ +import { PresetBuildController } from "@spt-aki/controllers/PresetBuildController"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IPresetBuildActionRequestData } from "@spt-aki/models/eft/presetBuild/IPresetBuildActionRequestData"; +import { IRemoveBuildRequestData } from "@spt-aki/models/eft/presetBuild/IRemoveBuildRequestData"; +import { IUserBuilds } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +export declare class PresetBuildCallbacks { + protected httpResponse: HttpResponseUtil; + protected presetBuildController: PresetBuildController; + constructor(httpResponse: HttpResponseUtil, presetBuildController: PresetBuildController); + /** Handle client/handbook/builds/my/list */ + getHandbookUserlist(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** Handle SaveWeaponBuild event */ + saveWeaponBuild(pmcData: IPmcData, body: IPresetBuildActionRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle removeBuild event*/ + removeBuild(pmcData: IPmcData, body: IRemoveBuildRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle RemoveWeaponBuild event*/ + removeWeaponBuild(pmcData: IPmcData, body: IPresetBuildActionRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle SaveEquipmentBuild event */ + saveEquipmentBuild(pmcData: IPmcData, body: IPresetBuildActionRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle RemoveEquipmentBuild event*/ + removeEquipmentBuild(pmcData: IPmcData, body: IPresetBuildActionRequestData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/PresetCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/PresetCallbacks.d.ts new file mode 100644 index 0000000..2741094 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/PresetCallbacks.d.ts @@ -0,0 +1,8 @@ +import { PresetController } from "@spt-aki/controllers/PresetController"; +import { OnLoad } from "@spt-aki/di/OnLoad"; +export declare class PresetCallbacks implements OnLoad { + protected presetController: PresetController; + constructor(presetController: PresetController); + onLoad(): Promise; + getRoute(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/ProfileCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/ProfileCallbacks.d.ts new file mode 100644 index 0000000..2e1db38 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/ProfileCallbacks.d.ts @@ -0,0 +1,81 @@ +import { ProfileController } from "@spt-aki/controllers/ProfileController"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { INullResponseData } from "@spt-aki/models/eft/httpResponse/INullResponseData"; +import { IGetMiniProfileRequestData } from "@spt-aki/models/eft/launcher/IGetMiniProfileRequestData"; +import { GetProfileStatusResponseData } from "@spt-aki/models/eft/profile/GetProfileStatusResponseData"; +import { ICreateProfileResponse } from "@spt-aki/models/eft/profile/ICreateProfileResponse"; +import { IGetProfileSettingsRequest } from "@spt-aki/models/eft/profile/IGetProfileSettingsRequest"; +import { IProfileChangeNicknameRequestData } from "@spt-aki/models/eft/profile/IProfileChangeNicknameRequestData"; +import { IProfileChangeVoiceRequestData } from "@spt-aki/models/eft/profile/IProfileChangeVoiceRequestData"; +import { IProfileCreateRequestData } from "@spt-aki/models/eft/profile/IProfileCreateRequestData"; +import { ISearchFriendRequestData } from "@spt-aki/models/eft/profile/ISearchFriendRequestData"; +import { ISearchFriendResponse } from "@spt-aki/models/eft/profile/ISearchFriendResponse"; +import { IValidateNicknameRequestData } from "@spt-aki/models/eft/profile/IValidateNicknameRequestData"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +/** Handle profile related client events */ +export declare class ProfileCallbacks { + protected httpResponse: HttpResponseUtil; + protected timeUtil: TimeUtil; + protected profileController: ProfileController; + constructor(httpResponse: HttpResponseUtil, timeUtil: TimeUtil, profileController: ProfileController); + /** + * Handle client/game/profile/create + */ + createProfile(url: string, info: IProfileCreateRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/game/profile/list + * Get the complete player profile (scav + pmc character) + */ + getProfileData(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/game/profile/savage/regenerate + * Handle the creation of a scav profile for player + * Occurs post-raid and when profile first created immediately after character details are confirmed by player + * @param url + * @param info empty + * @param sessionID Session id + * @returns Profile object + */ + regenerateScav(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/game/profile/voice/change event + */ + changeVoice(url: string, info: IProfileChangeVoiceRequestData, sessionID: string): INullResponseData; + /** + * Handle client/game/profile/nickname/change event + * Client allows player to adjust their profile name + */ + changeNickname(url: string, info: IProfileChangeNicknameRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/game/profile/nickname/validate + */ + validateNickname(url: string, info: IValidateNicknameRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/game/profile/nickname/reserved + */ + getReservedNickname(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/profile/status + * Called when creating a character when choosing a character face/voice + */ + getProfileStatus(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/profile/settings + */ + getProfileSettings(url: string, info: IGetProfileSettingsRequest, sessionId: string): IGetBodyResponseData; + /** + * Handle client/game/profile/search + */ + searchFriend(url: string, info: ISearchFriendRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle launcher/profile/info + */ + getMiniProfile(url: string, info: IGetMiniProfileRequestData, sessionID: string): string; + /** + * Handle /launcher/profiles + */ + getAllMiniProfiles(url: string, info: IEmptyRequestData, sessionID: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/QuestCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/QuestCallbacks.d.ts new file mode 100644 index 0000000..b5c5275 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/QuestCallbacks.d.ts @@ -0,0 +1,44 @@ +import { QuestController } from "@spt-aki/controllers/QuestController"; +import { RepeatableQuestController } from "@spt-aki/controllers/RepeatableQuestController"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IQuest } from "@spt-aki/models/eft/common/tables/IQuest"; +import { IPmcDataRepeatableQuest } from "@spt-aki/models/eft/common/tables/IRepeatableQuests"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IAcceptQuestRequestData } from "@spt-aki/models/eft/quests/IAcceptQuestRequestData"; +import { ICompleteQuestRequestData } from "@spt-aki/models/eft/quests/ICompleteQuestRequestData"; +import { IHandoverQuestRequestData } from "@spt-aki/models/eft/quests/IHandoverQuestRequestData"; +import { IListQuestsRequestData } from "@spt-aki/models/eft/quests/IListQuestsRequestData"; +import { IRepeatableQuestChangeRequest } from "@spt-aki/models/eft/quests/IRepeatableQuestChangeRequest"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +export declare class QuestCallbacks { + protected httpResponse: HttpResponseUtil; + protected questController: QuestController; + protected repeatableQuestController: RepeatableQuestController; + constructor(httpResponse: HttpResponseUtil, questController: QuestController, repeatableQuestController: RepeatableQuestController); + /** + * Handle RepeatableQuestChange event + */ + changeRepeatableQuest(pmcData: IPmcData, body: IRepeatableQuestChangeRequest, sessionID: string): IItemEventRouterResponse; + /** + * Handle QuestAccept event + */ + acceptQuest(pmcData: IPmcData, body: IAcceptQuestRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle QuestComplete event + */ + completeQuest(pmcData: IPmcData, body: ICompleteQuestRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle QuestHandover event + */ + handoverQuest(pmcData: IPmcData, body: IHandoverQuestRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle client/quest/list + */ + listQuests(url: string, info: IListQuestsRequestData, sessionID: string): IGetBodyResponseData; + /** + * Handle client/repeatalbeQuests/activityPeriods + */ + activityPeriods(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/RagfairCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/RagfairCallbacks.d.ts new file mode 100644 index 0000000..bad2ce0 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/RagfairCallbacks.d.ts @@ -0,0 +1,64 @@ +import { RagfairController } from "@spt-aki/controllers/RagfairController"; +import { OnLoad } from "@spt-aki/di/OnLoad"; +import { OnUpdate } from "@spt-aki/di/OnUpdate"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { INullResponseData } from "@spt-aki/models/eft/httpResponse/INullResponseData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IAddOfferRequestData } from "@spt-aki/models/eft/ragfair/IAddOfferRequestData"; +import { IExtendOfferRequestData } from "@spt-aki/models/eft/ragfair/IExtendOfferRequestData"; +import { IGetItemPriceResult } from "@spt-aki/models/eft/ragfair/IGetItemPriceResult"; +import { IGetMarketPriceRequestData } from "@spt-aki/models/eft/ragfair/IGetMarketPriceRequestData"; +import { IGetOffersResult } from "@spt-aki/models/eft/ragfair/IGetOffersResult"; +import { IGetRagfairOfferByIdRequest } from "@spt-aki/models/eft/ragfair/IGetRagfairOfferByIdRequest"; +import { IRagfairOffer } from "@spt-aki/models/eft/ragfair/IRagfairOffer"; +import { IRemoveOfferRequestData } from "@spt-aki/models/eft/ragfair/IRemoveOfferRequestData"; +import { ISearchRequestData } from "@spt-aki/models/eft/ragfair/ISearchRequestData"; +import { ISendRagfairReportRequestData } from "@spt-aki/models/eft/ragfair/ISendRagfairReportRequestData"; +import { IStorePlayerOfferTaxAmountRequestData } from "@spt-aki/models/eft/ragfair/IStorePlayerOfferTaxAmountRequestData"; +import { IRagfairConfig } from "@spt-aki/models/spt/config/IRagfairConfig"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { RagfairServer } from "@spt-aki/servers/RagfairServer"; +import { RagfairTaxService } from "@spt-aki/services/RagfairTaxService"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +/** + * Handle ragfair related callback events + */ +export declare class RagfairCallbacks implements OnLoad, OnUpdate { + protected httpResponse: HttpResponseUtil; + protected jsonUtil: JsonUtil; + protected ragfairServer: RagfairServer; + protected ragfairController: RagfairController; + protected ragfairTaxService: RagfairTaxService; + protected configServer: ConfigServer; + protected ragfairConfig: IRagfairConfig; + constructor(httpResponse: HttpResponseUtil, jsonUtil: JsonUtil, ragfairServer: RagfairServer, ragfairController: RagfairController, ragfairTaxService: RagfairTaxService, configServer: ConfigServer); + onLoad(): Promise; + getRoute(): string; + onUpdate(timeSinceLastRun: number): Promise; + /** + * Handle client/ragfair/search + * Handle client/ragfair/find + */ + search(url: string, info: ISearchRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/ragfair/itemMarketPrice */ + getMarketPrice(url: string, info: IGetMarketPriceRequestData, sessionID: string): IGetBodyResponseData; + /** Handle RagFairAddOffer event */ + addOffer(pmcData: IPmcData, info: IAddOfferRequestData, sessionID: string): IItemEventRouterResponse; + /** \Handle RagFairRemoveOffer event */ + removeOffer(pmcData: IPmcData, info: IRemoveOfferRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle RagFairRenewOffer event */ + extendOffer(pmcData: IPmcData, info: IExtendOfferRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle /client/items/prices + * Called when clicking an item to list on flea + */ + getFleaPrices(url: string, request: IEmptyRequestData, sessionID: string): IGetBodyResponseData>; + /** Handle client/reports/ragfair/send */ + sendReport(url: string, info: ISendRagfairReportRequestData, sessionID: string): INullResponseData; + storePlayerOfferTaxAmount(url: string, request: IStorePlayerOfferTaxAmountRequestData, sessionId: string): INullResponseData; + /** Handle client/ragfair/offer/findbyid */ + getFleaOfferById(url: string, request: IGetRagfairOfferByIdRequest, sessionID: string): IGetBodyResponseData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/RepairCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/RepairCallbacks.d.ts new file mode 100644 index 0000000..c8587dc --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/RepairCallbacks.d.ts @@ -0,0 +1,27 @@ +import { RepairController } from "@spt-aki/controllers/RepairController"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IRepairActionDataRequest } from "@spt-aki/models/eft/repair/IRepairActionDataRequest"; +import { ITraderRepairActionDataRequest } from "@spt-aki/models/eft/repair/ITraderRepairActionDataRequest"; +export declare class RepairCallbacks { + protected repairController: RepairController; + constructor(repairController: RepairController); + /** + * Handle TraderRepair event + * use trader to repair item + * @param pmcData Player profile + * @param traderRepairRequest Request object + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + traderRepair(pmcData: IPmcData, traderRepairRequest: ITraderRepairActionDataRequest, sessionID: string): IItemEventRouterResponse; + /** + * Handle Repair event + * Use repair kit to repair item + * @param pmcData Player profile + * @param repairRequest Request object + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + repair(pmcData: IPmcData, repairRequest: IRepairActionDataRequest, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/SaveCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/SaveCallbacks.d.ts new file mode 100644 index 0000000..74d463f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/SaveCallbacks.d.ts @@ -0,0 +1,14 @@ +import { OnLoad } from "@spt-aki/di/OnLoad"; +import { OnUpdate } from "@spt-aki/di/OnUpdate"; +import { ICoreConfig } from "@spt-aki/models/spt/config/ICoreConfig"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +export declare class SaveCallbacks implements OnLoad, OnUpdate { + protected saveServer: SaveServer; + protected configServer: ConfigServer; + protected coreConfig: ICoreConfig; + constructor(saveServer: SaveServer, configServer: ConfigServer); + onLoad(): Promise; + getRoute(): string; + onUpdate(secondsSinceLastRun: number): Promise; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/TradeCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/TradeCallbacks.d.ts new file mode 100644 index 0000000..bfa72b0 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/TradeCallbacks.d.ts @@ -0,0 +1,18 @@ +import { TradeController } from "@spt-aki/controllers/TradeController"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IProcessBaseTradeRequestData } from "@spt-aki/models/eft/trade/IProcessBaseTradeRequestData"; +import { IProcessRagfairTradeRequestData } from "@spt-aki/models/eft/trade/IProcessRagfairTradeRequestData"; +import { ISellScavItemsToFenceRequestData } from "@spt-aki/models/eft/trade/ISellScavItemsToFenceRequestData"; +export declare class TradeCallbacks { + protected tradeController: TradeController; + constructor(tradeController: TradeController); + /** + * Handle client/game/profile/items/moving TradingConfirm event + */ + processTrade(pmcData: IPmcData, body: IProcessBaseTradeRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle RagFairBuyOffer event */ + processRagfairTrade(pmcData: IPmcData, body: IProcessRagfairTradeRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle SellAllFromSavage event */ + sellAllFromSavage(pmcData: IPmcData, body: ISellScavItemsToFenceRequestData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/TraderCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/TraderCallbacks.d.ts new file mode 100644 index 0000000..3002b62 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/TraderCallbacks.d.ts @@ -0,0 +1,21 @@ +import { TraderController } from "@spt-aki/controllers/TraderController"; +import { OnLoad } from "@spt-aki/di/OnLoad"; +import { OnUpdate } from "@spt-aki/di/OnUpdate"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { ITraderAssort, ITraderBase } from "@spt-aki/models/eft/common/tables/ITrader"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +export declare class TraderCallbacks implements OnLoad, OnUpdate { + protected httpResponse: HttpResponseUtil; + protected traderController: TraderController; + constructor(httpResponse: HttpResponseUtil, traderController: TraderController); + onLoad(): Promise; + onUpdate(): Promise; + getRoute(): string; + /** Handle client/trading/api/traderSettings */ + getTraderSettings(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/trading/api/getTrader */ + getTrader(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + /** Handle client/trading/api/getTraderAssort */ + getAssort(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/WeatherCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/WeatherCallbacks.d.ts new file mode 100644 index 0000000..2c6fdf6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/WeatherCallbacks.d.ts @@ -0,0 +1,15 @@ +import { WeatherController } from "@spt-aki/controllers/WeatherController"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { IWeatherData } from "@spt-aki/models/eft/weather/IWeatherData"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +export declare class WeatherCallbacks { + protected httpResponse: HttpResponseUtil; + protected weatherController: WeatherController; + constructor(httpResponse: HttpResponseUtil, weatherController: WeatherController); + /** + * Handle client/weather + * @returns IWeatherData + */ + getWeather(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/callbacks/WishlistCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/callbacks/WishlistCallbacks.d.ts new file mode 100644 index 0000000..29c3e44 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/callbacks/WishlistCallbacks.d.ts @@ -0,0 +1,12 @@ +import { WishlistController } from "@spt-aki/controllers/WishlistController"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IWishlistActionData } from "@spt-aki/models/eft/wishlist/IWishlistActionData"; +export declare class WishlistCallbacks { + protected wishlistController: WishlistController; + constructor(wishlistController: WishlistController); + /** Handle AddToWishList event */ + addToWishlist(pmcData: IPmcData, body: IWishlistActionData, sessionID: string): IItemEventRouterResponse; + /** Handle RemoveFromWishList event */ + removeFromWishlist(pmcData: IPmcData, body: IWishlistActionData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/context/ApplicationContext.d.ts b/TypeScript/23CustomAbstractChatBot/types/context/ApplicationContext.d.ts new file mode 100644 index 0000000..5eea16e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/context/ApplicationContext.d.ts @@ -0,0 +1,21 @@ +import { ContextVariable } from "@spt-aki/context/ContextVariable"; +import { ContextVariableType } from "@spt-aki/context/ContextVariableType"; +export declare class ApplicationContext { + private variables; + private static holderMaxSize; + /** + * Called like: + * + * const registerPlayerInfo = this.applicationContext.getLatestValue(ContextVariableType.REGISTER_PLAYER_REQUEST).getValue(); + * + * const activePlayerSessionId = this.applicationContext.getLatestValue(ContextVariableType.SESSION_ID).getValue(); + * + * const matchInfo = this.applicationContext.getLatestValue(ContextVariableType.RAID_CONFIGURATION).getValue(); + * @param type + * @returns + */ + getLatestValue(type: ContextVariableType): ContextVariable; + getValues(type: ContextVariableType): ContextVariable[]; + addValue(type: ContextVariableType, value: any): void; + clearValues(type: ContextVariableType): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/context/ContextVariable.d.ts b/TypeScript/23CustomAbstractChatBot/types/context/ContextVariable.d.ts new file mode 100644 index 0000000..21bf7ef --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/context/ContextVariable.d.ts @@ -0,0 +1,10 @@ +import { ContextVariableType } from "@spt-aki/context/ContextVariableType"; +export declare class ContextVariable { + private value; + private timestamp; + private type; + constructor(value: any, type: ContextVariableType); + getValue(): T; + getTimestamp(): Date; + getType(): ContextVariableType; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/context/ContextVariableType.d.ts b/TypeScript/23CustomAbstractChatBot/types/context/ContextVariableType.d.ts new file mode 100644 index 0000000..0722a98 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/context/ContextVariableType.d.ts @@ -0,0 +1,11 @@ +export declare enum ContextVariableType { + /** Logged in users session id */ + SESSION_ID = 0, + /** Currently acive raid information */ + RAID_CONFIGURATION = 1, + /** Timestamp when client first connected */ + CLIENT_START_TIMESTAMP = 2, + /** When player is loading into map and loot is requested */ + REGISTER_PLAYER_REQUEST = 3, + RAID_ADJUSTMENTS = 4 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/BotController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/BotController.d.ts new file mode 100644 index 0000000..f7ba1aa --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/BotController.d.ts @@ -0,0 +1,75 @@ +import { ApplicationContext } from "@spt-aki/context/ApplicationContext"; +import { BotGenerator } from "@spt-aki/generators/BotGenerator"; +import { BotDifficultyHelper } from "@spt-aki/helpers/BotDifficultyHelper"; +import { BotHelper } from "@spt-aki/helpers/BotHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { IGenerateBotsRequestData } from "@spt-aki/models/eft/bot/IGenerateBotsRequestData"; +import { IBotBase } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { IBotCore } from "@spt-aki/models/eft/common/tables/IBotCore"; +import { Difficulty } from "@spt-aki/models/eft/common/tables/IBotType"; +import { IBotConfig } from "@spt-aki/models/spt/config/IBotConfig"; +import { IPmcConfig } from "@spt-aki/models/spt/config/IPmcConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { BotGenerationCacheService } from "@spt-aki/services/BotGenerationCacheService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { MatchBotDetailsCacheService } from "@spt-aki/services/MatchBotDetailsCacheService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class BotController { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected botGenerator: BotGenerator; + protected botHelper: BotHelper; + protected botDifficultyHelper: BotDifficultyHelper; + protected botGenerationCacheService: BotGenerationCacheService; + protected matchBotDetailsCacheService: MatchBotDetailsCacheService; + protected localisationService: LocalisationService; + protected profileHelper: ProfileHelper; + protected configServer: ConfigServer; + protected applicationContext: ApplicationContext; + protected jsonUtil: JsonUtil; + protected botConfig: IBotConfig; + protected pmcConfig: IPmcConfig; + constructor(logger: ILogger, databaseServer: DatabaseServer, botGenerator: BotGenerator, botHelper: BotHelper, botDifficultyHelper: BotDifficultyHelper, botGenerationCacheService: BotGenerationCacheService, matchBotDetailsCacheService: MatchBotDetailsCacheService, localisationService: LocalisationService, profileHelper: ProfileHelper, configServer: ConfigServer, applicationContext: ApplicationContext, jsonUtil: JsonUtil); + /** + * Return the number of bot loadout varieties to be generated + * @param type bot Type we want the loadout gen count for + * @returns number of bots to generate + */ + getBotPresetGenerationLimit(type: string): number; + /** + * Handle singleplayer/settings/bot/difficulty + * Get the core.json difficulty settings from database\bots + * @returns IBotCore + */ + getBotCoreDifficulty(): IBotCore; + /** + * Get bot difficulty settings + * adjust PMC settings to ensure they engage the correct bot types + * @param type what bot the server is requesting settings for + * @param difficulty difficulty level server requested settings for + * @returns Difficulty object + */ + getBotDifficulty(type: string, difficulty: string): Difficulty; + /** + * Generate bot profiles and store in cache + * @param sessionId Session id + * @param info bot generation request info + * @returns IBotBase array + */ + generate(sessionId: string, info: IGenerateBotsRequestData): IBotBase[]; + /** + * Get the difficulty passed in, if its not "asoline", get selected difficulty from config + * @param requestedDifficulty + * @returns + */ + getPMCDifficulty(requestedDifficulty: string): string; + /** + * Get the max number of bots allowed on a map + * Looks up location player is entering when getting cap value + * @returns cap number + */ + getBotCap(): number; + getAiBotBrainTypes(): any; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/ClientLogController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/ClientLogController.d.ts new file mode 100644 index 0000000..5d70ba4 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/ClientLogController.d.ts @@ -0,0 +1,10 @@ +import { IClientLogRequest } from "@spt-aki/models/spt/logging/IClientLogRequest"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +export declare class ClientLogController { + protected logger: ILogger; + constructor(logger: ILogger); + /** + * Handle /singleplayer/log + */ + clientLog(logRequest: IClientLogRequest): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/CustomizationController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/CustomizationController.d.ts new file mode 100644 index 0000000..27de49a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/CustomizationController.d.ts @@ -0,0 +1,70 @@ +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { ISuit } from "@spt-aki/models/eft/common/tables/ITrader"; +import { ClothingItem, IBuyClothingRequestData } from "@spt-aki/models/eft/customization/IBuyClothingRequestData"; +import { IWearClothingRequestData } from "@spt-aki/models/eft/customization/IWearClothingRequestData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +export declare class CustomizationController { + protected logger: ILogger; + protected eventOutputHolder: EventOutputHolder; + protected databaseServer: DatabaseServer; + protected saveServer: SaveServer; + protected localisationService: LocalisationService; + protected profileHelper: ProfileHelper; + protected readonly clothingIds: { + lowerParentId: string; + upperParentId: string; + }; + constructor(logger: ILogger, eventOutputHolder: EventOutputHolder, databaseServer: DatabaseServer, saveServer: SaveServer, localisationService: LocalisationService, profileHelper: ProfileHelper); + /** + * Get purchasable clothing items from trader that match players side (usec/bear) + * @param traderID trader to look up clothing for + * @param sessionID Session id + * @returns ISuit array + */ + getTraderSuits(traderID: string, sessionID: string): ISuit[]; + /** + * Handle CustomizationWear event + * Equip one to many clothing items to player + */ + wearClothing(pmcData: IPmcData, wearClothingRequest: IWearClothingRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle CustomizationBuy event + * Purchase/unlock a clothing item from a trader + * @param pmcData Player profile + * @param buyClothingRequest Request object + * @param sessionId Session id + * @returns IItemEventRouterResponse + */ + buyClothing(pmcData: IPmcData, buyClothingRequest: IBuyClothingRequestData, sessionId: string): IItemEventRouterResponse; + protected getTraderClothingOffer(sessionId: string, offerId: string): ISuit; + /** + * Has an outfit been purchased by a player + * @param suitId clothing id + * @param sessionID Session id of profile to check for clothing in + * @returns true if already purchased + */ + protected outfitAlreadyPurchased(suitId: string, sessionID: string): boolean; + /** + * Update output object and player profile with purchase details + * @param sessionId Session id + * @param pmcData Player profile + * @param clothingItems Clothing purchased + * @param output Client response + */ + protected payForClothingItems(sessionId: string, pmcData: IPmcData, clothingItems: ClothingItem[], output: IItemEventRouterResponse): void; + /** + * Update output object and player profile with purchase details for single piece of clothing + * @param sessionId Session id + * @param pmcData Player profile + * @param clothingItem Clothing item purchased + * @param output Client response + */ + protected payForClothingItem(sessionId: string, pmcData: IPmcData, clothingItem: ClothingItem, output: IItemEventRouterResponse): void; + protected getAllTraderSuits(sessionID: string): ISuit[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/DialogueController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/DialogueController.d.ts new file mode 100644 index 0000000..8d47886 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/DialogueController.d.ts @@ -0,0 +1,148 @@ +import { IDialogueChatBot } from "@spt-aki/helpers/Dialogue/IDialogueChatBot"; +import { DialogueHelper } from "@spt-aki/helpers/DialogueHelper"; +import { IGetAllAttachmentsResponse } from "@spt-aki/models/eft/dialog/IGetAllAttachmentsResponse"; +import { IGetFriendListDataResponse } from "@spt-aki/models/eft/dialog/IGetFriendListDataResponse"; +import { IGetMailDialogViewRequestData } from "@spt-aki/models/eft/dialog/IGetMailDialogViewRequestData"; +import { IGetMailDialogViewResponseData } from "@spt-aki/models/eft/dialog/IGetMailDialogViewResponseData"; +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { Dialogue, DialogueInfo, IAkiProfile, IUserDialogInfo, Message } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { MessageType } from "@spt-aki/models/enums/MessageType"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class DialogueController { + protected logger: ILogger; + protected saveServer: SaveServer; + protected timeUtil: TimeUtil; + protected dialogueHelper: DialogueHelper; + protected mailSendService: MailSendService; + protected configServer: ConfigServer; + protected dialogueChatBots: IDialogueChatBot[]; + constructor(logger: ILogger, saveServer: SaveServer, timeUtil: TimeUtil, dialogueHelper: DialogueHelper, mailSendService: MailSendService, configServer: ConfigServer, dialogueChatBots: IDialogueChatBot[]); + registerChatBot(chatBot: IDialogueChatBot): void; + /** Handle onUpdate spt event */ + update(): void; + /** + * Handle client/friend/list + * @returns IGetFriendListDataResponse + */ + getFriendList(sessionID: string): IGetFriendListDataResponse; + /** + * Handle client/mail/dialog/list + * Create array holding trader dialogs and mail interactions with player + * Set the content of the dialogue on the list tab. + * @param sessionID Session Id + * @returns array of dialogs + */ + generateDialogueList(sessionID: string): DialogueInfo[]; + /** + * Get the content of a dialogue + * @param dialogueID Dialog id + * @param sessionID Session Id + * @returns DialogueInfo + */ + getDialogueInfo(dialogueID: string, sessionID: string): DialogueInfo; + /** + * Get the users involved in a dialog (player + other party) + * @param dialog The dialog to check for users + * @param messageType What type of message is being sent + * @param sessionID Player id + * @returns IUserDialogInfo array + */ + getDialogueUsers(dialog: Dialogue, messageType: MessageType, sessionID: string): IUserDialogInfo[]; + /** + * Handle client/mail/dialog/view + * Handle player clicking 'messenger' and seeing all the messages they've recieved + * Set the content of the dialogue on the details panel, showing all the messages + * for the specified dialogue. + * @param request Get dialog request + * @param sessionId Session id + * @returns IGetMailDialogViewResponseData object + */ + generateDialogueView(request: IGetMailDialogViewRequestData, sessionId: string): IGetMailDialogViewResponseData; + /** + * Get dialog from player profile, create if doesn't exist + * @param profile Player profile + * @param request get dialog request (params used when dialog doesnt exist in profile) + * @returns Dialogue + */ + protected getDialogByIdFromProfile(profile: IAkiProfile, request: IGetMailDialogViewRequestData): Dialogue; + /** + * Get the users involved in a mail between two entities + * @param fullProfile Player profile + * @param dialogUsers The participants of the mail + * @returns IUserDialogInfo array + */ + protected getProfilesForMail(fullProfile: IAkiProfile, dialogUsers: IUserDialogInfo[]): IUserDialogInfo[]; + /** + * Get a count of messages with attachments from a particular dialog + * @param sessionID Session id + * @param dialogueID Dialog id + * @returns Count of messages with attachments + */ + protected getUnreadMessagesWithAttachmentsCount(sessionID: string, dialogueID: string): number; + /** + * Does array have messages with uncollected rewards (includes expired rewards) + * @param messages Messages to check + * @returns true if uncollected rewards found + */ + protected messagesHaveUncollectedRewards(messages: Message[]): boolean; + /** + * Handle client/mail/dialog/remove + * Remove an entire dialog with an entity (trader/user) + * @param dialogueId id of the dialog to remove + * @param sessionId Player id + */ + removeDialogue(dialogueId: string, sessionId: string): void; + /** Handle client/mail/dialog/pin && Handle client/mail/dialog/unpin */ + setDialoguePin(dialogueId: string, shouldPin: boolean, sessionId: string): void; + /** + * Handle client/mail/dialog/read + * Set a dialog to be read (no number alert/attachment alert) + * @param dialogueIds Dialog ids to set as read + * @param sessionId Player profile id + */ + setRead(dialogueIds: string[], sessionId: string): void; + /** + * Handle client/mail/dialog/getAllAttachments + * Get all uncollected items attached to mail in a particular dialog + * @param dialogueId Dialog to get mail attachments from + * @param sessionId Session id + * @returns + */ + getAllAttachments(dialogueId: string, sessionId: string): IGetAllAttachmentsResponse; + /** client/mail/msg/send */ + sendMessage(sessionId: string, request: ISendMessageRequest): string; + /** + * Get messages from a specific dialog that have items not expired + * @param sessionId Session id + * @param dialogueId Dialog to get mail attachments from + * @returns Message array + */ + protected getActiveMessagesFromDialog(sessionId: string, dialogueId: string): Message[]; + /** + * Return array of messages with uncollected items (includes expired) + * @param messages Messages to parse + * @returns messages with items to collect + */ + protected getMessagesWithAttachments(messages: Message[]): Message[]; + /** + * Delete expired items from all messages in player profile. triggers when updating traders. + * @param sessionId Session id + */ + protected removeExpiredItemsFromMessages(sessionId: string): void; + /** + * Removes expired items from a message in player profile + * @param sessionId Session id + * @param dialogueId Dialog id + */ + protected removeExpiredItemsFromMessage(sessionId: string, dialogueId: string): void; + /** + * Has a dialog message expired + * @param message Message to check expiry of + * @returns true or false + */ + protected messageHasExpired(message: Message): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/GameController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/GameController.d.ts new file mode 100644 index 0000000..d2a978b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/GameController.d.ts @@ -0,0 +1,164 @@ +import { ApplicationContext } from "@spt-aki/context/ApplicationContext"; +import { HideoutHelper } from "@spt-aki/helpers/HideoutHelper"; +import { HttpServerHelper } from "@spt-aki/helpers/HttpServerHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { PreAkiModLoader } from "@spt-aki/loaders/PreAkiModLoader"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { ICheckVersionResponse } from "@spt-aki/models/eft/game/ICheckVersionResponse"; +import { ICurrentGroupResponse } from "@spt-aki/models/eft/game/ICurrentGroupResponse"; +import { IGameConfigResponse } from "@spt-aki/models/eft/game/IGameConfigResponse"; +import { IGameKeepAliveResponse } from "@spt-aki/models/eft/game/IGameKeepAliveResponse"; +import { IGetRaidTimeRequest } from "@spt-aki/models/eft/game/IGetRaidTimeRequest"; +import { IGetRaidTimeResponse } from "@spt-aki/models/eft/game/IGetRaidTimeResponse"; +import { IServerDetails } from "@spt-aki/models/eft/game/IServerDetails"; +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { ICoreConfig } from "@spt-aki/models/spt/config/ICoreConfig"; +import { IHttpConfig } from "@spt-aki/models/spt/config/IHttpConfig"; +import { ILocationConfig } from "@spt-aki/models/spt/config/ILocationConfig"; +import { ILootConfig } from "@spt-aki/models/spt/config/ILootConfig"; +import { IPmcConfig } from "@spt-aki/models/spt/config/IPmcConfig"; +import { IRagfairConfig } from "@spt-aki/models/spt/config/IRagfairConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { CustomLocationWaveService } from "@spt-aki/services/CustomLocationWaveService"; +import { GiftService } from "@spt-aki/services/GiftService"; +import { ItemBaseClassService } from "@spt-aki/services/ItemBaseClassService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { OpenZoneService } from "@spt-aki/services/OpenZoneService"; +import { ProfileFixerService } from "@spt-aki/services/ProfileFixerService"; +import { RaidTimeAdjustmentService } from "@spt-aki/services/RaidTimeAdjustmentService"; +import { SeasonalEventService } from "@spt-aki/services/SeasonalEventService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class GameController { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected jsonUtil: JsonUtil; + protected timeUtil: TimeUtil; + protected hashUtil: HashUtil; + protected preAkiModLoader: PreAkiModLoader; + protected httpServerHelper: HttpServerHelper; + protected randomUtil: RandomUtil; + protected hideoutHelper: HideoutHelper; + protected profileHelper: ProfileHelper; + protected profileFixerService: ProfileFixerService; + protected localisationService: LocalisationService; + protected customLocationWaveService: CustomLocationWaveService; + protected openZoneService: OpenZoneService; + protected seasonalEventService: SeasonalEventService; + protected itemBaseClassService: ItemBaseClassService; + protected giftService: GiftService; + protected raidTimeAdjustmentService: RaidTimeAdjustmentService; + protected applicationContext: ApplicationContext; + protected configServer: ConfigServer; + protected httpConfig: IHttpConfig; + protected coreConfig: ICoreConfig; + protected locationConfig: ILocationConfig; + protected ragfairConfig: IRagfairConfig; + protected pmcConfig: IPmcConfig; + protected lootConfig: ILootConfig; + constructor(logger: ILogger, databaseServer: DatabaseServer, jsonUtil: JsonUtil, timeUtil: TimeUtil, hashUtil: HashUtil, preAkiModLoader: PreAkiModLoader, httpServerHelper: HttpServerHelper, randomUtil: RandomUtil, hideoutHelper: HideoutHelper, profileHelper: ProfileHelper, profileFixerService: ProfileFixerService, localisationService: LocalisationService, customLocationWaveService: CustomLocationWaveService, openZoneService: OpenZoneService, seasonalEventService: SeasonalEventService, itemBaseClassService: ItemBaseClassService, giftService: GiftService, raidTimeAdjustmentService: RaidTimeAdjustmentService, applicationContext: ApplicationContext, configServer: ConfigServer); + load(): void; + /** + * Handle client/game/start + */ + gameStart(_url: string, _info: IEmptyRequestData, sessionID: string, startTimeStampMS: number): void; + /** + * Out of date/incorrectly made trader mods forget this data + */ + protected checkTraderRepairValuesExist(): void; + protected addCustomLooseLootPositions(): void; + protected adjustLooseLootSpawnProbabilities(): void; + protected setHideoutAreasAndCraftsTo40Secs(): void; + /** Apply custom limits on bot types as defined in configs/location.json/botTypeLimits */ + protected adjustMapBotLimits(): void; + /** + * Handle client/game/config + */ + getGameConfig(sessionID: string): IGameConfigResponse; + /** + * Handle client/server/list + */ + getServer(sessionId: string): IServerDetails[]; + /** + * Handle client/match/group/current + */ + getCurrentGroup(sessionId: string): ICurrentGroupResponse; + /** + * Handle client/checkVersion + */ + getValidGameVersion(sessionId: string): ICheckVersionResponse; + /** + * Handle client/game/keepalive + */ + getKeepAlive(sessionId: string): IGameKeepAliveResponse; + /** + * Handle singleplayer/settings/getRaidTime + */ + getRaidTime(sessionId: string, request: IGetRaidTimeRequest): IGetRaidTimeResponse; + /** + * BSG have two values for shotgun dispersion, we make sure both have the same value + */ + protected fixShotgunDispersions(): void; + /** + * Players set botReload to a high value and don't expect the crazy fast reload speeds, give them a warn about it + * @param pmcProfile Player profile + */ + protected warnOnActiveBotReloadSkill(pmcProfile: IPmcData): void; + protected flagAllItemsInDbAsSellableOnFlea(): void; + /** + * When player logs in, iterate over all active effects and reduce timer + * TODO - add body part HP regen + * @param pmcProfile + */ + protected updateProfileHealthValues(pmcProfile: IPmcData): void; + /** + * Waves with an identical min/max values spawn nothing, the number of bots that spawn is the difference between min and max + */ + protected fixBrokenOfflineMapWaves(): void; + /** + * Make Rogues spawn later to allow for scavs to spawn first instead of rogues filling up all spawn positions + */ + protected fixRoguesSpawningInstantlyOnLighthouse(): void; + /** + * Send starting gifts to profile after x days + * @param pmcProfile Profile to add gifts to + */ + protected sendPraporGiftsToNewProfiles(pmcProfile: IPmcData): void; + /** + * Find and split waves with large numbers of bots into smaller waves - BSG appears to reduce the size of these waves to one bot when they're waiting to spawn for too long + */ + protected splitBotWavesIntoSingleWaves(): void; + /** + * Get a list of installed mods and save their details to the profile being used + * @param fullProfile Profile to add mod details to + */ + protected saveActiveModsToProfile(fullProfile: IAkiProfile): void; + /** + * Check for any missing assorts inside each traders assort.json data, checking against traders qeustassort.json + */ + protected validateQuestAssortUnlocksExist(): void; + /** + * Add the logged in players name to PMC name pool + * @param pmcProfile Profile of player to get name from + */ + protected addPlayerToPMCNames(pmcProfile: IPmcData): void; + /** + * Check for a dialog with the key 'undefined', and remove it + * @param fullProfile Profile to check for dialog in + */ + protected checkForAndRemoveUndefinedDialogs(fullProfile: IAkiProfile): void; + /** + * Blank out the "test" mail message from prapor + */ + protected removePraporTestMessage(): void; + /** + * Make non-trigger-spawned raiders spawn earlier + always + */ + protected adjustLabsRaiderSpawnRate(): void; + protected logProfileDetails(fullProfile: IAkiProfile): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/HandbookController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/HandbookController.d.ts new file mode 100644 index 0000000..4820f21 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/HandbookController.d.ts @@ -0,0 +1,8 @@ +import { HandbookHelper } from "@spt-aki/helpers/HandbookHelper"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +export declare class HandbookController { + protected databaseServer: DatabaseServer; + protected handbookHelper: HandbookHelper; + constructor(databaseServer: DatabaseServer, handbookHelper: HandbookHelper); + load(): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/HealthController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/HealthController.d.ts new file mode 100644 index 0000000..5206cba --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/HealthController.d.ts @@ -0,0 +1,70 @@ +import { HealthHelper } from "@spt-aki/helpers/HealthHelper"; +import { InventoryHelper } from "@spt-aki/helpers/InventoryHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IHealthTreatmentRequestData } from "@spt-aki/models/eft/health/IHealthTreatmentRequestData"; +import { IOffraidEatRequestData } from "@spt-aki/models/eft/health/IOffraidEatRequestData"; +import { IOffraidHealRequestData } from "@spt-aki/models/eft/health/IOffraidHealRequestData"; +import { ISyncHealthRequestData } from "@spt-aki/models/eft/health/ISyncHealthRequestData"; +import { IWorkoutData } from "@spt-aki/models/eft/health/IWorkoutData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { PaymentService } from "@spt-aki/services/PaymentService"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class HealthController { + protected logger: ILogger; + protected jsonUtil: JsonUtil; + protected eventOutputHolder: EventOutputHolder; + protected itemHelper: ItemHelper; + protected paymentService: PaymentService; + protected inventoryHelper: InventoryHelper; + protected localisationService: LocalisationService; + protected httpResponse: HttpResponseUtil; + protected healthHelper: HealthHelper; + constructor(logger: ILogger, jsonUtil: JsonUtil, eventOutputHolder: EventOutputHolder, itemHelper: ItemHelper, paymentService: PaymentService, inventoryHelper: InventoryHelper, localisationService: LocalisationService, httpResponse: HttpResponseUtil, healthHelper: HealthHelper); + /** + * stores in-raid player health + * @param pmcData Player profile + * @param info Request data + * @param sessionID Player id + * @param addEffects Should effects found be added or removed from profile + * @param deleteExistingEffects Should all prior effects be removed before apply new ones + */ + saveVitality(pmcData: IPmcData, info: ISyncHealthRequestData, sessionID: string, addEffects?: boolean, deleteExistingEffects?: boolean): void; + /** + * When healing in menu + * @param pmcData Player profile + * @param request Healing request + * @param sessionID Player id + * @returns IItemEventRouterResponse + */ + offraidHeal(pmcData: IPmcData, request: IOffraidHealRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle Eat event + * Consume food/water outside of a raid + * @param pmcData Player profile + * @param request Eat request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + offraidEat(pmcData: IPmcData, request: IOffraidEatRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle RestoreHealth event + * Occurs on post-raid healing page + * @param pmcData player profile + * @param healthTreatmentRequest Request data from client + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + healthTreatment(pmcData: IPmcData, healthTreatmentRequest: IHealthTreatmentRequestData, sessionID: string): IItemEventRouterResponse; + /** + * applies skills from hideout workout. + * @param pmcData Player profile + * @param info Request data + * @param sessionID + */ + applyWorkoutChanges(pmcData: IPmcData, info: IWorkoutData, sessionId: string): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/HideoutController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/HideoutController.d.ts new file mode 100644 index 0000000..5595648 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/HideoutController.d.ts @@ -0,0 +1,267 @@ +import { ScavCaseRewardGenerator } from "@spt-aki/generators/ScavCaseRewardGenerator"; +import { HideoutHelper } from "@spt-aki/helpers/HideoutHelper"; +import { InventoryHelper } from "@spt-aki/helpers/InventoryHelper"; +import { PaymentHelper } from "@spt-aki/helpers/PaymentHelper"; +import { PresetHelper } from "@spt-aki/helpers/PresetHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { HideoutArea, Product } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { HideoutUpgradeCompleteRequestData } from "@spt-aki/models/eft/hideout/HideoutUpgradeCompleteRequestData"; +import { IHandleQTEEventRequestData } from "@spt-aki/models/eft/hideout/IHandleQTEEventRequestData"; +import { IHideoutArea, Stage } from "@spt-aki/models/eft/hideout/IHideoutArea"; +import { IHideoutCancelProductionRequestData } from "@spt-aki/models/eft/hideout/IHideoutCancelProductionRequestData"; +import { IHideoutContinuousProductionStartRequestData } from "@spt-aki/models/eft/hideout/IHideoutContinuousProductionStartRequestData"; +import { IHideoutImproveAreaRequestData } from "@spt-aki/models/eft/hideout/IHideoutImproveAreaRequestData"; +import { IHideoutProduction } from "@spt-aki/models/eft/hideout/IHideoutProduction"; +import { IHideoutPutItemInRequestData } from "@spt-aki/models/eft/hideout/IHideoutPutItemInRequestData"; +import { IHideoutScavCaseStartRequestData } from "@spt-aki/models/eft/hideout/IHideoutScavCaseStartRequestData"; +import { IHideoutSingleProductionStartRequestData } from "@spt-aki/models/eft/hideout/IHideoutSingleProductionStartRequestData"; +import { IHideoutTakeItemOutRequestData } from "@spt-aki/models/eft/hideout/IHideoutTakeItemOutRequestData"; +import { IHideoutTakeProductionRequestData } from "@spt-aki/models/eft/hideout/IHideoutTakeProductionRequestData"; +import { IHideoutToggleAreaRequestData } from "@spt-aki/models/eft/hideout/IHideoutToggleAreaRequestData"; +import { IHideoutUpgradeRequestData } from "@spt-aki/models/eft/hideout/IHideoutUpgradeRequestData"; +import { IQteData } from "@spt-aki/models/eft/hideout/IQteData"; +import { IRecordShootingRangePoints } from "@spt-aki/models/eft/hideout/IRecordShootingRangePoints"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { HideoutAreas } from "@spt-aki/models/enums/HideoutAreas"; +import { IHideoutConfig } from "@spt-aki/models/spt/config/IHideoutConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { FenceService } from "@spt-aki/services/FenceService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { PlayerService } from "@spt-aki/services/PlayerService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class HideoutController { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected timeUtil: TimeUtil; + protected databaseServer: DatabaseServer; + protected randomUtil: RandomUtil; + protected inventoryHelper: InventoryHelper; + protected saveServer: SaveServer; + protected playerService: PlayerService; + protected presetHelper: PresetHelper; + protected paymentHelper: PaymentHelper; + protected eventOutputHolder: EventOutputHolder; + protected httpResponse: HttpResponseUtil; + protected profileHelper: ProfileHelper; + protected hideoutHelper: HideoutHelper; + protected scavCaseRewardGenerator: ScavCaseRewardGenerator; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected jsonUtil: JsonUtil; + protected fenceService: FenceService; + protected static nameBackendCountersCrafting: string; + protected hideoutConfig: IHideoutConfig; + constructor(logger: ILogger, hashUtil: HashUtil, timeUtil: TimeUtil, databaseServer: DatabaseServer, randomUtil: RandomUtil, inventoryHelper: InventoryHelper, saveServer: SaveServer, playerService: PlayerService, presetHelper: PresetHelper, paymentHelper: PaymentHelper, eventOutputHolder: EventOutputHolder, httpResponse: HttpResponseUtil, profileHelper: ProfileHelper, hideoutHelper: HideoutHelper, scavCaseRewardGenerator: ScavCaseRewardGenerator, localisationService: LocalisationService, configServer: ConfigServer, jsonUtil: JsonUtil, fenceService: FenceService); + /** + * Handle HideoutUpgrade event + * Start a hideout area upgrade + * @param pmcData Player profile + * @param request upgrade start request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + startUpgrade(pmcData: IPmcData, request: IHideoutUpgradeRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle HideoutUpgradeComplete event + * Complete a hideout area upgrade + * @param pmcData Player profile + * @param request Completed upgrade request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + upgradeComplete(pmcData: IPmcData, request: HideoutUpgradeCompleteRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Upgrade wall status to visible in profile if medstation/water collector are both level 1 + * @param pmcData Player profile + */ + protected checkAndUpgradeWall(pmcData: IPmcData): void; + /** + * @param pmcData Profile to edit + * @param output Object to send back to client + * @param sessionID Session/player id + * @param profileParentHideoutArea Current hideout area for profile + * @param dbHideoutArea Hideout area being upgraded + * @param hideoutStage Stage hideout area is being upgraded to + */ + protected addContainerImprovementToProfile(output: IItemEventRouterResponse, sessionID: string, pmcData: IPmcData, profileParentHideoutArea: HideoutArea, dbHideoutArea: IHideoutArea, hideoutStage: Stage): void; + /** + * Add an inventory item to profile from a hideout area stage data + * @param pmcData Profile to update + * @param dbHideoutData Hideout area from db being upgraded + * @param hideoutStage Stage area upgraded to + */ + protected addUpdateInventoryItemToProfile(pmcData: IPmcData, dbHideoutData: IHideoutArea, hideoutStage: Stage): void; + /** + * @param output Object to send to client + * @param sessionID Session/player id + * @param areaType Hideout area that had stash added + * @param hideoutDbData Hideout area that caused addition of stash + * @param hideoutStage Hideout area upgraded to this + */ + protected addContainerUpgradeToClientOutput(output: IItemEventRouterResponse, sessionID: string, areaType: HideoutAreas, hideoutDbData: IHideoutArea, hideoutStage: Stage): void; + /** + * Handle HideoutPutItemsInAreaSlots + * Create item in hideout slot item array, remove item from player inventory + * @param pmcData Profile data + * @param addItemToHideoutRequest reqeust from client to place item in area slot + * @param sessionID Session id + * @returns IItemEventRouterResponse object + */ + putItemsInAreaSlots(pmcData: IPmcData, addItemToHideoutRequest: IHideoutPutItemInRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle HideoutTakeItemsFromAreaSlots event + * Remove item from hideout area and place into player inventory + * @param pmcData Player profile + * @param request Take item out of area request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + takeItemsFromAreaSlots(pmcData: IPmcData, request: IHideoutTakeItemOutRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Find resource item in hideout area, add copy to player inventory, remove Item from hideout slot + * @param sessionID Session id + * @param pmcData Profile to update + * @param removeResourceRequest client request + * @param output response to send to client + * @param hideoutArea Area fuel is being removed from + * @returns IItemEventRouterResponse response + */ + protected removeResourceFromArea(sessionID: string, pmcData: IPmcData, removeResourceRequest: IHideoutTakeItemOutRequestData, output: IItemEventRouterResponse, hideoutArea: HideoutArea): IItemEventRouterResponse; + /** + * Handle HideoutToggleArea event + * Toggle area on/off + * @param pmcData Player profile + * @param request Toggle area request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + toggleArea(pmcData: IPmcData, request: IHideoutToggleAreaRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle HideoutSingleProductionStart event + * Start production for an item from hideout area + * @param pmcData Player profile + * @param body Start prodution of single item request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + singleProductionStart(pmcData: IPmcData, body: IHideoutSingleProductionStartRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle HideoutScavCaseProductionStart event + * Handles event after clicking 'start' on the scav case hideout page + * @param pmcData player profile + * @param body client request object + * @param sessionID session id + * @returns item event router response + */ + scavCaseProductionStart(pmcData: IPmcData, body: IHideoutScavCaseStartRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Adjust scav case time based on fence standing + * + * @param pmcData Player profile + * @param productionTime Time to complete scav case in seconds + * @returns Adjusted scav case time in seconds + */ + protected getScavCaseTime(pmcData: IPmcData, productionTime: number): number; + /** + * Add generated scav case rewards to player profile + * @param pmcData player profile to add rewards to + * @param rewards reward items to add to profile + * @param recipeId recipe id to save into Production dict + */ + protected addScavCaseRewardsToProfile(pmcData: IPmcData, rewards: Product[], recipeId: string): void; + /** + * Start production of continuously created item + * @param pmcData Player profile + * @param request Continious production request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + continuousProductionStart(pmcData: IPmcData, request: IHideoutContinuousProductionStartRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle HideoutTakeProduction event + * Take completed item out of hideout area and place into player inventory + * @param pmcData Player profile + * @param request Remove production from area request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + takeProduction(pmcData: IPmcData, request: IHideoutTakeProductionRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Take recipe-type production out of hideout area and place into player inventory + * @param sessionID Session id + * @param recipe Completed recipe of item + * @param pmcData Player profile + * @param request Remove production from area request + * @param output Output object to update + * @returns IItemEventRouterResponse + */ + protected handleRecipe(sessionID: string, recipe: IHideoutProduction, pmcData: IPmcData, request: IHideoutTakeProductionRequestData, output: IItemEventRouterResponse): IItemEventRouterResponse; + /** + * Handles generating case rewards and sending to player inventory + * @param sessionID Session id + * @param pmcData Player profile + * @param request Get rewards from scavcase craft request + * @param output Output object to update + * @returns IItemEventRouterResponse + */ + protected handleScavCase(sessionID: string, pmcData: IPmcData, request: IHideoutTakeProductionRequestData, output: IItemEventRouterResponse): IItemEventRouterResponse; + /** + * Start area production for item by adding production to profiles' Hideout.Production array + * @param pmcData Player profile + * @param request Start production request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + registerProduction(pmcData: IPmcData, request: IHideoutSingleProductionStartRequestData | IHideoutContinuousProductionStartRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Get quick time event list for hideout + * // TODO - implement this + * @param sessionId Session id + * @returns IQteData array + */ + getQteList(sessionId: string): IQteData[]; + /** + * Handle HideoutQuickTimeEvent on client/game/profile/items/moving + * Called after completing workout at gym + * @param sessionId Session id + * @param pmcData Profile to adjust + * @param request QTE result object + */ + handleQTEEventOutcome(sessionId: string, pmcData: IPmcData, request: IHandleQTEEventRequestData): IItemEventRouterResponse; + /** + * Record a high score from the shooting range into a player profiles overallcounters + * @param sessionId Session id + * @param pmcData Profile to update + * @param request shooting range score request + * @returns IItemEventRouterResponse + */ + recordShootingRangePoints(sessionId: string, pmcData: IPmcData, request: IRecordShootingRangePoints): IItemEventRouterResponse; + /** + * Handle client/game/profile/items/moving - HideoutImproveArea + * @param sessionId Session id + * @param pmcData Profile to improve area in + * @param request Improve area request data + */ + improveArea(sessionId: string, pmcData: IPmcData, request: IHideoutImproveAreaRequestData): IItemEventRouterResponse; + /** + * Handle client/game/profile/items/moving HideoutCancelProductionCommand + * @param sessionId Session id + * @param pmcData Profile with craft to cancel + * @param request Cancel production request data + * @returns IItemEventRouterResponse + */ + cancelProduction(sessionId: string, pmcData: IPmcData, request: IHideoutCancelProductionRequestData): IItemEventRouterResponse; + /** + * Function called every x seconds as part of onUpdate event + */ + update(): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/InraidController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/InraidController.d.ts new file mode 100644 index 0000000..8ec13ba --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/InraidController.d.ts @@ -0,0 +1,143 @@ +import { ApplicationContext } from "@spt-aki/context/ApplicationContext"; +import { PlayerScavGenerator } from "@spt-aki/generators/PlayerScavGenerator"; +import { HealthHelper } from "@spt-aki/helpers/HealthHelper"; +import { InRaidHelper } from "@spt-aki/helpers/InRaidHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { QuestHelper } from "@spt-aki/helpers/QuestHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IRegisterPlayerRequestData } from "@spt-aki/models/eft/inRaid/IRegisterPlayerRequestData"; +import { ISaveProgressRequestData } from "@spt-aki/models/eft/inRaid/ISaveProgressRequestData"; +import { PlayerRaidEndState } from "@spt-aki/models/enums/PlayerRaidEndState"; +import { IAirdropConfig } from "@spt-aki/models/spt/config/IAirdropConfig"; +import { IInRaidConfig } from "@spt-aki/models/spt/config/IInRaidConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { InsuranceService } from "@spt-aki/services/InsuranceService"; +import { MatchBotDetailsCacheService } from "@spt-aki/services/MatchBotDetailsCacheService"; +import { PmcChatResponseService } from "@spt-aki/services/PmcChatResponseService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +/** + * Logic for handling In Raid callbacks + */ +export declare class InraidController { + protected logger: ILogger; + protected saveServer: SaveServer; + protected jsonUtil: JsonUtil; + protected timeUtil: TimeUtil; + protected databaseServer: DatabaseServer; + protected pmcChatResponseService: PmcChatResponseService; + protected matchBotDetailsCacheService: MatchBotDetailsCacheService; + protected questHelper: QuestHelper; + protected itemHelper: ItemHelper; + protected profileHelper: ProfileHelper; + protected playerScavGenerator: PlayerScavGenerator; + protected healthHelper: HealthHelper; + protected traderHelper: TraderHelper; + protected insuranceService: InsuranceService; + protected inRaidHelper: InRaidHelper; + protected applicationContext: ApplicationContext; + protected configServer: ConfigServer; + protected airdropConfig: IAirdropConfig; + protected inraidConfig: IInRaidConfig; + constructor(logger: ILogger, saveServer: SaveServer, jsonUtil: JsonUtil, timeUtil: TimeUtil, databaseServer: DatabaseServer, pmcChatResponseService: PmcChatResponseService, matchBotDetailsCacheService: MatchBotDetailsCacheService, questHelper: QuestHelper, itemHelper: ItemHelper, profileHelper: ProfileHelper, playerScavGenerator: PlayerScavGenerator, healthHelper: HealthHelper, traderHelper: TraderHelper, insuranceService: InsuranceService, inRaidHelper: InRaidHelper, applicationContext: ApplicationContext, configServer: ConfigServer); + /** + * Save locationId to active profiles inraid object AND app context + * @param sessionID Session id + * @param info Register player request + */ + addPlayer(sessionID: string, info: IRegisterPlayerRequestData): void; + /** + * Handle raid/profile/save + * Save profile state to disk + * Handles pmc/pscav + * @param offraidData post-raid request data + * @param sessionID Session id + */ + savePostRaidProgress(offraidData: ISaveProgressRequestData, sessionID: string): void; + /** + * Handle updating player profile post-pmc raid + * @param sessionID Session id + * @param postRaidRequest Post-raid data + */ + protected savePmcProgress(sessionID: string, postRaidRequest: ISaveProgressRequestData): void; + /** + * Make changes to pmc profile after they've died in raid, + * Alter bodypart hp, handle insurance, delete inventory items, remove carried quest items + * @param postRaidSaveRequest Post-raid save request + * @param pmcData Pmc profile + * @param sessionID Session id + * @returns Updated profile object + */ + protected performPostRaidActionsWhenDead(postRaidSaveRequest: ISaveProgressRequestData, pmcData: IPmcData, sessionID: string): IPmcData; + /** + * Adjust player characters bodypart hp post-raid + * @param postRaidSaveRequest post raid data + * @param pmcData player profile + */ + protected updatePmcHealthPostRaid(postRaidSaveRequest: ISaveProgressRequestData, pmcData: IPmcData): void; + /** + * Reduce body part hp to % of max + * @param pmcData profile to edit + * @param multipler multipler to apply to max health + */ + protected reducePmcHealthToPercent(pmcData: IPmcData, multipler: number): void; + /** + * Handle updating the profile post-pscav raid + * @param sessionID Session id + * @param postRaidRequest Post-raid data of raid + */ + protected savePlayerScavProgress(sessionID: string, postRaidRequest: ISaveProgressRequestData): void; + /** + * Does provided profile contain any condition counters + * @param profile Profile to check for condition counters + * @returns Profile has condition counters + */ + protected profileHasConditionCounters(profile: IPmcData): boolean; + /** + * Scav quest progress isnt transferred automatically from scav to pmc, we do this manually + * @param scavProfile Scav profile with quest progress post-raid + * @param pmcProfile Server pmc profile to copy scav quest progress into + */ + protected migrateScavQuestProgressToPmcProfile(scavProfile: IPmcData, pmcProfile: IPmcData): void; + /** + * Is the player dead after a raid - dead is anything other than "survived" / "runner" + * @param statusOnExit exit value from offraidData object + * @returns true if dead + */ + protected isPlayerDead(statusOnExit: PlayerRaidEndState): boolean; + /** + * Mark inventory items as FiR if player survived raid, otherwise remove FiR from them + * @param offraidData Save Progress Request + */ + protected markOrRemoveFoundInRaidItems(offraidData: ISaveProgressRequestData): void; + /** + * Update profile after player completes scav raid + * @param scavData Scav profile + * @param sessionID Session id + * @param offraidData Post-raid save request + * @param pmcData Pmc profile + * @param isDead Is player dead + */ + protected handlePostRaidPlayerScavProcess(scavData: IPmcData, sessionID: string, offraidData: ISaveProgressRequestData, pmcData: IPmcData, isDead: boolean): void; + /** + * Update profile with scav karma values based on in-raid actions + * @param pmcData Pmc profile + * @param offraidData Post-raid save request + */ + protected handlePostRaidPlayerScavKarmaChanges(pmcData: IPmcData, offraidData: ISaveProgressRequestData): void; + /** + * Get the inraid config from configs/inraid.json + * @returns InRaid Config + */ + getInraidConfig(): IInRaidConfig; + /** + * Get airdrop config from configs/airdrop.json + * @returns Airdrop config + */ + getAirdropConfig(): IAirdropConfig; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/InsuranceController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/InsuranceController.d.ts new file mode 100644 index 0000000..64c2ae8 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/InsuranceController.d.ts @@ -0,0 +1,230 @@ +import { DialogueHelper } from "@spt-aki/helpers/DialogueHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { IGetInsuranceCostRequestData } from "@spt-aki/models/eft/insurance/IGetInsuranceCostRequestData"; +import { IGetInsuranceCostResponseData } from "@spt-aki/models/eft/insurance/IGetInsuranceCostResponseData"; +import { IInsureRequestData } from "@spt-aki/models/eft/insurance/IInsureRequestData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { ISystemData, Insurance } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { IInsuranceConfig } from "@spt-aki/models/spt/config/IInsuranceConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { InsuranceService } from "@spt-aki/services/InsuranceService"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { PaymentService } from "@spt-aki/services/PaymentService"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class InsuranceController { + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected eventOutputHolder: EventOutputHolder; + protected timeUtil: TimeUtil; + protected saveServer: SaveServer; + protected databaseServer: DatabaseServer; + protected itemHelper: ItemHelper; + protected profileHelper: ProfileHelper; + protected dialogueHelper: DialogueHelper; + protected traderHelper: TraderHelper; + protected paymentService: PaymentService; + protected insuranceService: InsuranceService; + protected mailSendService: MailSendService; + protected configServer: ConfigServer; + protected insuranceConfig: IInsuranceConfig; + protected roubleTpl: string; + constructor(logger: ILogger, randomUtil: RandomUtil, eventOutputHolder: EventOutputHolder, timeUtil: TimeUtil, saveServer: SaveServer, databaseServer: DatabaseServer, itemHelper: ItemHelper, profileHelper: ProfileHelper, dialogueHelper: DialogueHelper, traderHelper: TraderHelper, paymentService: PaymentService, insuranceService: InsuranceService, mailSendService: MailSendService, configServer: ConfigServer); + /** + * Process insurance items of all profiles prior to being given back to the player through the mail service. + * + * @returns void + */ + processReturn(): void; + /** + * Process insurance items of a single profile prior to being given back to the player through the mail service. + * + * @returns void + */ + processReturnByProfile(sessionID: string): void; + /** + * Get all insured items that are ready to be processed in a specific profile. + * + * @param sessionID Session ID of the profile to check. + * @param time The time to check ready status against. Current time by default. + * @returns All insured items that are ready to be processed. + */ + protected filterInsuredItems(sessionID: string, time?: number): Insurance[]; + /** + * This method orchestrates the processing of insured items in a profile. + * + * @param insuranceDetails The insured items to process. + * @param sessionID The session ID that should receive the processed items. + * @returns void + */ + protected processInsuredItems(insuranceDetails: Insurance[], sessionID: string): void; + /** + * Remove an insurance package from a profile using the package's system data information. + * + * @param sessionID The session ID of the profile to remove the package from. + * @param index The array index of the insurance package to remove. + * @returns void + */ + protected removeInsurancePackageFromProfile(sessionID: string, packageInfo: ISystemData): void; + /** + * Finds the items that should be deleted based on the given Insurance object. + * + * @param insured The insurance object containing the items to evaluate for deletion. + * @returns A Set containing the IDs of items that should be deleted. + */ + protected findItemsToDelete(insured: Insurance): Set; + /** + * Populate a Map object of items for quick lookup by their ID. + * + * @param insured The insurance object containing the items to populate the map with. + * @returns A Map where the keys are the item IDs and the values are the corresponding Item objects. + */ + protected populateItemsMap(insured: Insurance): Map; + /** + * Initialize a Map object that holds main-parents to all of their attachments. Note that "main-parent" in this + * context refers to the parent item that an attachment is attached to. For example, a suppressor attached to a gun, + * not the backpack that the gun is located in (the gun's parent). + * + * @param insured - The insurance object containing the items to evaluate. + * @param itemsMap - A Map object for quick item look-up by item ID. + * @returns A Map object containing parent item IDs to arrays of their attachment items. + */ + protected populateParentAttachmentsMap(insured: Insurance, itemsMap: Map): Map; + /** + * Process "regular" insurance items. Any insured item that is not an attached, attachment is considered a "regular" + * item. This method iterates over them, preforming item deletion rolls to see if they should be deleted. If so, + * they (and their attached, attachments, if any) are marked for deletion in the toDelete Set. + * + * @param insured The insurance object containing the items to evaluate. + * @param toDelete A Set to keep track of items marked for deletion. + * @returns void + */ + protected processRegularItems(insured: Insurance, toDelete: Set): void; + /** + * Process parent items and their attachments, updating the toDelete Set accordingly. + * + * This method iterates over a map of parent items to their attachments and performs evaluations on each. + * It marks items for deletion based on certain conditions and updates the toDelete Set accordingly. + * + * @param mainParentToAttachmentsMap A Map object containing parent item IDs to arrays of their attachment items. + * @param itemsMap A Map object for quick item look-up by item ID. + * @param traderId The trader ID from the Insurance object. + * @param toDelete A Set object to keep track of items marked for deletion. + */ + protected processAttachments(mainParentToAttachmentsMap: Map, itemsMap: Map, traderId: string, toDelete: Set): void; + /** + * Takes an array of attachment items that belong to the same main-parent item, sorts them in descending order by + * their maximum price. For each attachment, a roll is made to determine if a deletion should be made. Once the + * number of deletions has been counted, the attachments are added to the toDelete Set, starting with the most + * valuable attachments first. + * + * @param attachments The array of attachment items to sort, filter, and roll. + * @param traderId The ID of the trader to that has ensured these items. + * @param toDelete The array that accumulates the IDs of the items to be deleted. + * @returns void + */ + protected processAttachmentByParent(attachments: Item[], traderId: string, toDelete: Set): void; + /** + * Sorts the attachment items by their max price in descending order. + * + * @param attachments The array of attachments items. + * @returns An array of items enriched with their max price and common locale-name. + */ + protected sortAttachmentsByPrice(attachments: Item[]): EnrichedItem[]; + /** + * Logs the details of each attachment item. + * + * @param attachments The array of attachment items. + */ + protected logAttachmentsDetails(attachments: EnrichedItem[]): void; + /** + * Counts the number of successful rolls for the attachment items. + * + * @param attachments The array of attachment items. + * @param traderId The ID of the trader that has insured these attachments. + * @returns The number of successful rolls. + */ + protected countSuccessfulRolls(attachments: Item[], traderId: string): number; + /** + * Marks the most valuable attachments for deletion based on the number of successful rolls made. + * + * @param attachments The array of attachment items. + * @param successfulRolls The number of successful rolls. + * @param toDelete The array that accumulates the IDs of the items to be deleted. + */ + protected attachmentDeletionByValue(attachments: EnrichedItem[], successfulRolls: number, toDelete: Set): void; + /** + * Remove items from the insured items that should not be returned to the player. + * + * @param insured The insured items to process. + * @param toDelete The items that should be deleted. + * @returns void + */ + protected removeItemsFromInsurance(insured: Insurance, toDelete: Set): void; + /** + * Adopts orphaned items by resetting them as base-level items. Helpful in situations where a parent has been + * deleted from insurance, but any insured items within the parent should remain. This method will remove the + * reference from the children to the parent and set item properties to main-level values. + * + * @param insured Insurance object containing items. + */ + protected adoptOrphanedItems(insured: Insurance): void; + /** + * Fetches the parentId property of an item with a slotId "hideout". Not sure if this is actually dynamic, but this + * method should be a reliable way to fetch it, if it ever does change. + * + * @param items Array of items to search through. + * @returns The parentId of an item with slotId 'hideout'. Empty string if not found. + */ + protected fetchHideoutItemParent(items: Item[]): string; + /** + * Handle sending the insurance message to the user that potentially contains the valid insurance items. + * + * @param sessionID The session ID that should receive the insurance message. + * @param insurance The context of insurance to use. + * @param noItems Whether or not there are any items to return to the player. + * @returns void + */ + protected sendMail(sessionID: string, insurance: Insurance, noItems: boolean): void; + /** + * Determines whether a insured item should be removed from the player's inventory based on a random roll and + * trader-specific return chance. + * + * @param traderId The ID of the trader who insured the item. + * @param insuredItem Optional. The item to roll for. Only used for logging. + * @returns true if the insured item should be removed from inventory, false otherwise. + */ + protected rollForDelete(traderId: string, insuredItem?: Item): boolean; + /** + * Handle Insure event + * Add insurance to an item + * + * @param pmcData Player profile + * @param body Insurance request + * @param sessionID Session id + * @returns IItemEventRouterResponse object to send to client + */ + insure(pmcData: IPmcData, body: IInsureRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle client/insurance/items/list/cost + * Calculate insurance cost + * + * @param request request object + * @param sessionID session id + * @returns IGetInsuranceCostResponseData object to send to client + */ + cost(request: IGetInsuranceCostRequestData, sessionID: string): IGetInsuranceCostResponseData; +} +interface EnrichedItem extends Item { + name: string; + maxPrice: number; +} +export {}; diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/InventoryController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/InventoryController.d.ts new file mode 100644 index 0000000..02e2127 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/InventoryController.d.ts @@ -0,0 +1,225 @@ +import { LootGenerator } from "@spt-aki/generators/LootGenerator"; +import { InventoryHelper } from "@spt-aki/helpers/InventoryHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { PaymentHelper } from "@spt-aki/helpers/PaymentHelper"; +import { PresetHelper } from "@spt-aki/helpers/PresetHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { QuestHelper } from "@spt-aki/helpers/QuestHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IInventoryBindRequestData } from "@spt-aki/models/eft/inventory/IInventoryBindRequestData"; +import { IInventoryCreateMarkerRequestData } from "@spt-aki/models/eft/inventory/IInventoryCreateMarkerRequestData"; +import { IInventoryDeleteMarkerRequestData } from "@spt-aki/models/eft/inventory/IInventoryDeleteMarkerRequestData"; +import { IInventoryEditMarkerRequestData } from "@spt-aki/models/eft/inventory/IInventoryEditMarkerRequestData"; +import { IInventoryExamineRequestData } from "@spt-aki/models/eft/inventory/IInventoryExamineRequestData"; +import { IInventoryFoldRequestData } from "@spt-aki/models/eft/inventory/IInventoryFoldRequestData"; +import { IInventoryMergeRequestData } from "@spt-aki/models/eft/inventory/IInventoryMergeRequestData"; +import { IInventoryMoveRequestData } from "@spt-aki/models/eft/inventory/IInventoryMoveRequestData"; +import { IInventoryReadEncyclopediaRequestData } from "@spt-aki/models/eft/inventory/IInventoryReadEncyclopediaRequestData"; +import { IInventoryRemoveRequestData } from "@spt-aki/models/eft/inventory/IInventoryRemoveRequestData"; +import { IInventorySortRequestData } from "@spt-aki/models/eft/inventory/IInventorySortRequestData"; +import { IInventorySplitRequestData } from "@spt-aki/models/eft/inventory/IInventorySplitRequestData"; +import { IInventorySwapRequestData } from "@spt-aki/models/eft/inventory/IInventorySwapRequestData"; +import { IInventoryTagRequestData } from "@spt-aki/models/eft/inventory/IInventoryTagRequestData"; +import { IInventoryToggleRequestData } from "@spt-aki/models/eft/inventory/IInventoryToggleRequestData"; +import { IInventoryTransferRequestData } from "@spt-aki/models/eft/inventory/IInventoryTransferRequestData"; +import { IOpenRandomLootContainerRequestData } from "@spt-aki/models/eft/inventory/IOpenRandomLootContainerRequestData"; +import { IRedeemProfileRequestData } from "@spt-aki/models/eft/inventory/IRedeemProfileRequestData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { FenceService } from "@spt-aki/services/FenceService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { PlayerService } from "@spt-aki/services/PlayerService"; +import { RagfairOfferService } from "@spt-aki/services/RagfairOfferService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class InventoryController { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected jsonUtil: JsonUtil; + protected itemHelper: ItemHelper; + protected randomUtil: RandomUtil; + protected databaseServer: DatabaseServer; + protected fenceService: FenceService; + protected presetHelper: PresetHelper; + protected inventoryHelper: InventoryHelper; + protected questHelper: QuestHelper; + protected ragfairOfferService: RagfairOfferService; + protected profileHelper: ProfileHelper; + protected paymentHelper: PaymentHelper; + protected localisationService: LocalisationService; + protected playerService: PlayerService; + protected lootGenerator: LootGenerator; + protected eventOutputHolder: EventOutputHolder; + protected httpResponseUtil: HttpResponseUtil; + constructor(logger: ILogger, hashUtil: HashUtil, jsonUtil: JsonUtil, itemHelper: ItemHelper, randomUtil: RandomUtil, databaseServer: DatabaseServer, fenceService: FenceService, presetHelper: PresetHelper, inventoryHelper: InventoryHelper, questHelper: QuestHelper, ragfairOfferService: RagfairOfferService, profileHelper: ProfileHelper, paymentHelper: PaymentHelper, localisationService: LocalisationService, playerService: PlayerService, lootGenerator: LootGenerator, eventOutputHolder: EventOutputHolder, httpResponseUtil: HttpResponseUtil); + /** + * Move Item + * change location of item with parentId and slotId + * transfers items from one profile to another if fromOwner/toOwner is set in the body. + * otherwise, move is contained within the same profile_f. + * @param pmcData Profile + * @param moveRequest Move request data + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + moveItem(pmcData: IPmcData, moveRequest: IInventoryMoveRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Get a event router response with inventory trader message + * @param output Item event router response + * @returns Item event router response + */ + protected getTraderExploitErrorResponse(output: IItemEventRouterResponse): IItemEventRouterResponse; + /** + * Remove Item from Profile + * Deep tree item deletion, also removes items from insurance list + */ + removeItem(pmcData: IPmcData, itemId: string, sessionID: string, output?: IItemEventRouterResponse): IItemEventRouterResponse; + /** + * Handle Remove event + * Implements functionality "Discard" from Main menu (Stash etc.) + * Removes item from PMC Profile + */ + discardItem(pmcData: IPmcData, body: IInventoryRemoveRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Split Item + * spliting 1 stack into 2 + * @param pmcData Player profile (unused, getOwnerInventoryItems() gets profile) + * @param request Split request + * @param sessionID Session/player id + * @returns IItemEventRouterResponse + */ + splitItem(pmcData: IPmcData, request: IInventorySplitRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Fully merge 2 inventory stacks together into one stack (merging where both stacks remain is called 'transfer') + * Deletes item from `body.item` and adding number of stacks into `body.with` + * @param pmcData Player profile (unused, getOwnerInventoryItems() gets profile) + * @param body Merge request + * @param sessionID Player id + * @returns IItemEventRouterResponse + */ + mergeItem(pmcData: IPmcData, body: IInventoryMergeRequestData, sessionID: string): IItemEventRouterResponse; + /** + * TODO: Adds no data to output to send to client, is this by design? + * TODO: should make use of getOwnerInventoryItems(), stack being transferred may not always be on pmc + * Transfer items from one stack into another while keeping original stack + * Used to take items from scav inventory into stash or to insert ammo into mags (shotgun ones) and reloading weapon by clicking "Reload" + * @param pmcData Player profile + * @param body Transfer request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + transferItem(pmcData: IPmcData, body: IInventoryTransferRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Swap Item + * its used for "reload" if you have weapon in hands and magazine is somewhere else in rig or backpack in equipment + * Also used to swap items using quick selection on character screen + */ + swapItem(pmcData: IPmcData, request: IInventorySwapRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handles folding of Weapons + */ + foldItem(pmcData: IPmcData, body: IInventoryFoldRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Toggles "Toggleable" items like night vision goggles and face shields. + * @param pmcData player profile + * @param body Toggle request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + toggleItem(pmcData: IPmcData, body: IInventoryToggleRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Add a tag to an inventory item + * @param pmcData profile with item to add tag to + * @param body tag request data + * @param sessionID session id + * @returns client response object + */ + tagItem(pmcData: IPmcData, body: IInventoryTagRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Bind an inventory item to the quick access menu at bottom of player screen + * Handle bind event + * @param pmcData Player profile + * @param bindRequest Reqeust object + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + bindItem(pmcData: IPmcData, bindRequest: IInventoryBindRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Unbind an inventory item from quick access menu at bottom of player screen + * Handle unbind event + * @param pmcData Player profile + * @param bindRequest Request object + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + unbindItem(pmcData: IPmcData, request: IInventoryBindRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handles examining an item + * @param pmcData player profile + * @param body request object + * @param sessionID session id + * @returns response + */ + examineItem(pmcData: IPmcData, body: IInventoryExamineRequestData, sessionID: string): IItemEventRouterResponse; + protected flagItemsAsInspectedAndRewardXp(itemTpls: string[], pmcProfile: IPmcData): void; + /** + * Get the tplid of an item from the examine request object + * @param body response request + * @returns tplid + */ + protected getExaminedItemTpl(body: IInventoryExamineRequestData): string; + readEncyclopedia(pmcData: IPmcData, body: IInventoryReadEncyclopediaRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle ApplyInventoryChanges + * Sorts supplied items. + * @param pmcData Player profile + * @param request sort request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + sortInventory(pmcData: IPmcData, request: IInventorySortRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Add note to a map + * @param pmcData Player profile + * @param request Add marker request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + createMapMarker(pmcData: IPmcData, request: IInventoryCreateMarkerRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Delete a map marker + * @param pmcData Player profile + * @param request Delete marker request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + deleteMapMarker(pmcData: IPmcData, request: IInventoryDeleteMarkerRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Edit an existing map marker + * @param pmcData Player profile + * @param request Edit marker request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + editMapMarker(pmcData: IPmcData, request: IInventoryEditMarkerRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Strip out characters from note string that are not: letter/numbers/unicode/spaces + * @param mapNoteText Marker text to sanitise + * @returns Sanitised map marker text + */ + protected sanitiseMapMarkerText(mapNoteText: string): string; + /** + * Handle OpenRandomLootContainer event + * Handle event fired when a container is unpacked (currently only the halloween pumpkin) + * @param pmcData Profile data + * @param body open loot container request data + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + openRandomLootContainer(pmcData: IPmcData, body: IOpenRandomLootContainerRequestData, sessionID: string): IItemEventRouterResponse; + redeemProfileReward(pmcData: IPmcData, request: IRedeemProfileRequestData, sessionId: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/LauncherController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/LauncherController.d.ts new file mode 100644 index 0000000..5de2416 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/LauncherController.d.ts @@ -0,0 +1,54 @@ +import { HttpServerHelper } from "@spt-aki/helpers/HttpServerHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { PreAkiModLoader } from "@spt-aki/loaders/PreAkiModLoader"; +import { IChangeRequestData } from "@spt-aki/models/eft/launcher/IChangeRequestData"; +import { ILoginRequestData } from "@spt-aki/models/eft/launcher/ILoginRequestData"; +import { IRegisterData } from "@spt-aki/models/eft/launcher/IRegisterData"; +import { Info, ModDetails } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { IConnectResponse } from "@spt-aki/models/eft/profile/IConnectResponse"; +import { ICoreConfig } from "@spt-aki/models/spt/config/ICoreConfig"; +import { IPackageJsonData } from "@spt-aki/models/spt/mod/IPackageJsonData"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +export declare class LauncherController { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected saveServer: SaveServer; + protected httpServerHelper: HttpServerHelper; + protected profileHelper: ProfileHelper; + protected databaseServer: DatabaseServer; + protected localisationService: LocalisationService; + protected preAkiModLoader: PreAkiModLoader; + protected configServer: ConfigServer; + protected coreConfig: ICoreConfig; + constructor(logger: ILogger, hashUtil: HashUtil, saveServer: SaveServer, httpServerHelper: HttpServerHelper, profileHelper: ProfileHelper, databaseServer: DatabaseServer, localisationService: LocalisationService, preAkiModLoader: PreAkiModLoader, configServer: ConfigServer); + connect(): IConnectResponse; + /** + * Get descriptive text for each of the profile edtions a player can choose, keyed by profile.json profile type e.g. "Edge Of Darkness" + * @returns Dictionary of profile types with related descriptive text + */ + protected getProfileDescriptions(): Record; + find(sessionIdKey: string): Info; + login(info: ILoginRequestData): string; + register(info: IRegisterData): string; + protected createAccount(info: IRegisterData): string; + changeUsername(info: IChangeRequestData): string; + changePassword(info: IChangeRequestData): string; + wipe(info: IRegisterData): string; + getCompatibleTarkovVersion(): string; + /** + * Get the mods the server has currently loaded + * @returns Dictionary of mod name and mod details + */ + getLoadedServerMods(): Record; + /** + * Get the mods a profile has ever loaded into game with + * @param sessionId Player id + * @returns Array of mod details + */ + getServerModsProfileUsed(sessionId: string): ModDetails[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/LocationController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/LocationController.d.ts new file mode 100644 index 0000000..eb4144a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/LocationController.d.ts @@ -0,0 +1,78 @@ +import { ApplicationContext } from "@spt-aki/context/ApplicationContext"; +import { LocationGenerator } from "@spt-aki/generators/LocationGenerator"; +import { LootGenerator } from "@spt-aki/generators/LootGenerator"; +import { WeightedRandomHelper } from "@spt-aki/helpers/WeightedRandomHelper"; +import { ILocationBase } from "@spt-aki/models/eft/common/ILocationBase"; +import { ILocationsGenerateAllResponse } from "@spt-aki/models/eft/common/ILocationsSourceDestinationBase"; +import { IAirdropLootResult } from "@spt-aki/models/eft/location/IAirdropLootResult"; +import { IGetLocationRequestData } from "@spt-aki/models/eft/location/IGetLocationRequestData"; +import { AirdropTypeEnum } from "@spt-aki/models/enums/AirdropType"; +import { IAirdropConfig } from "@spt-aki/models/spt/config/IAirdropConfig"; +import { ILocationConfig } from "@spt-aki/models/spt/config/ILocationConfig"; +import { LootRequest } from "@spt-aki/models/spt/services/LootRequest"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { RaidTimeAdjustmentService } from "@spt-aki/services/RaidTimeAdjustmentService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class LocationController { + protected jsonUtil: JsonUtil; + protected hashUtil: HashUtil; + protected randomUtil: RandomUtil; + protected weightedRandomHelper: WeightedRandomHelper; + protected logger: ILogger; + protected locationGenerator: LocationGenerator; + protected localisationService: LocalisationService; + protected raidTimeAdjustmentService: RaidTimeAdjustmentService; + protected lootGenerator: LootGenerator; + protected databaseServer: DatabaseServer; + protected timeUtil: TimeUtil; + protected configServer: ConfigServer; + protected applicationContext: ApplicationContext; + protected airdropConfig: IAirdropConfig; + protected locationConfig: ILocationConfig; + constructor(jsonUtil: JsonUtil, hashUtil: HashUtil, randomUtil: RandomUtil, weightedRandomHelper: WeightedRandomHelper, logger: ILogger, locationGenerator: LocationGenerator, localisationService: LocalisationService, raidTimeAdjustmentService: RaidTimeAdjustmentService, lootGenerator: LootGenerator, databaseServer: DatabaseServer, timeUtil: TimeUtil, configServer: ConfigServer, applicationContext: ApplicationContext); + /** + * Handle client/location/getLocalloot + * Get a location (map) with generated loot data + * @param sessionId Player id + * @param request Map request to generate + * @returns ILocationBase + */ + get(sessionId: string, request: IGetLocationRequestData): ILocationBase; + /** + * Generate a maps base location with loot + * @param name Map name + * @returns ILocationBase + */ + protected generate(name: string): ILocationBase; + /** + * Handle client/locations + * Get all maps base location properties without loot data + * @param sessionId Players Id + * @returns ILocationsGenerateAllResponse + */ + generateAll(sessionId: string): ILocationsGenerateAllResponse; + /** + * Handle client/location/getAirdropLoot + * Get loot for an airdop container + * Generates it randomly based on config/airdrop.json values + * @returns Array of LootItem objects + */ + getAirdropLoot(): IAirdropLootResult; + /** + * Randomly pick a type of airdrop loot using weighted values from config + * @returns airdrop type value + */ + protected chooseAirdropType(): AirdropTypeEnum; + /** + * Get the configuration for a specific type of airdrop + * @param airdropType Type of airdrop to get settings for + * @returns LootRequest + */ + protected getAirdropLootConfigByType(airdropType: AirdropTypeEnum): LootRequest; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/MatchController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/MatchController.d.ts new file mode 100644 index 0000000..ca950b1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/MatchController.d.ts @@ -0,0 +1,109 @@ +import { ApplicationContext } from "@spt-aki/context/ApplicationContext"; +import { LootGenerator } from "@spt-aki/generators/LootGenerator"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { ICreateGroupRequestData } from "@spt-aki/models/eft/match/ICreateGroupRequestData"; +import { IEndOfflineRaidRequestData } from "@spt-aki/models/eft/match/IEndOfflineRaidRequestData"; +import { IGetGroupStatusRequestData } from "@spt-aki/models/eft/match/IGetGroupStatusRequestData"; +import { IGetGroupStatusResponse } from "@spt-aki/models/eft/match/IGetGroupStatusResponse"; +import { IGetProfileRequestData } from "@spt-aki/models/eft/match/IGetProfileRequestData"; +import { IGetRaidConfigurationRequestData } from "@spt-aki/models/eft/match/IGetRaidConfigurationRequestData"; +import { IJoinMatchRequestData } from "@spt-aki/models/eft/match/IJoinMatchRequestData"; +import { IJoinMatchResult } from "@spt-aki/models/eft/match/IJoinMatchResult"; +import { IInRaidConfig } from "@spt-aki/models/spt/config/IInRaidConfig"; +import { IMatchConfig } from "@spt-aki/models/spt/config/IMatchConfig"; +import { IPmcConfig } from "@spt-aki/models/spt/config/IPmcConfig"; +import { ITraderConfig } from "@spt-aki/models/spt/config/ITraderConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { BotGenerationCacheService } from "@spt-aki/services/BotGenerationCacheService"; +import { BotLootCacheService } from "@spt-aki/services/BotLootCacheService"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { MatchLocationService } from "@spt-aki/services/MatchLocationService"; +import { ProfileSnapshotService } from "@spt-aki/services/ProfileSnapshotService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class MatchController { + protected logger: ILogger; + protected saveServer: SaveServer; + protected timeUtil: TimeUtil; + protected randomUtil: RandomUtil; + protected hashUtil: HashUtil; + protected profileHelper: ProfileHelper; + protected matchLocationService: MatchLocationService; + protected traderHelper: TraderHelper; + protected botLootCacheService: BotLootCacheService; + protected configServer: ConfigServer; + protected profileSnapshotService: ProfileSnapshotService; + protected botGenerationCacheService: BotGenerationCacheService; + protected mailSendService: MailSendService; + protected lootGenerator: LootGenerator; + protected applicationContext: ApplicationContext; + protected matchConfig: IMatchConfig; + protected inraidConfig: IInRaidConfig; + protected traderConfig: ITraderConfig; + protected pmcConfig: IPmcConfig; + constructor(logger: ILogger, saveServer: SaveServer, timeUtil: TimeUtil, randomUtil: RandomUtil, hashUtil: HashUtil, profileHelper: ProfileHelper, matchLocationService: MatchLocationService, traderHelper: TraderHelper, botLootCacheService: BotLootCacheService, configServer: ConfigServer, profileSnapshotService: ProfileSnapshotService, botGenerationCacheService: BotGenerationCacheService, mailSendService: MailSendService, lootGenerator: LootGenerator, applicationContext: ApplicationContext); + getEnabled(): boolean; + /** Handle raid/profile/list */ + getProfile(info: IGetProfileRequestData): IPmcData[]; + /** Handle client/match/group/create */ + createGroup(sessionID: string, info: ICreateGroupRequestData): any; + /** Handle client/match/group/delete */ + deleteGroup(info: any): void; + /** Handle match/group/start_game */ + joinMatch(info: IJoinMatchRequestData, sessionId: string): IJoinMatchResult; + /** Handle client/match/group/status */ + getGroupStatus(info: IGetGroupStatusRequestData): IGetGroupStatusResponse; + /** + * Handle /client/raid/configuration + * @param request Raid config request + * @param sessionID Session id + */ + startOfflineRaid(request: IGetRaidConfigurationRequestData, sessionID: string): void; + /** + * Convert a difficulty value from pre-raid screen to a bot difficulty + * @param botDifficulty dropdown difficulty value + * @returns bot difficulty + */ + protected convertDifficultyDropdownIntoBotDifficulty(botDifficulty: string): string; + /** Handle client/match/offline/end */ + endOfflineRaid(info: IEndOfflineRaidRequestData, sessionId: string): void; + /** + * Did player take a COOP extract + * @param extractName Name of extract player took + * @returns True if coop extract + */ + protected extractWasViaCoop(extractName: string): boolean; + protected sendCoopTakenFenceMessage(sessionId: string): void; + /** + * Handle when a player extracts using a coop extract - add rep to fence + * @param pmcData Profile + * @param extractName Name of extract taken + */ + protected handleCoopExtract(pmcData: IPmcData, extractName: string): void; + /** + * Was extract by car + * @param extractName name of extract + * @returns true if car extract + */ + protected extractWasViaCar(extractName: string): boolean; + /** + * Handle when a player extracts using a car - Add rep to fence + * @param extractName name of the extract used + * @param pmcData Player profile + * @param sessionId Session id + */ + protected handleCarExtract(extractName: string, pmcData: IPmcData, sessionId: string): void; + /** + * Get the fence rep gain from using a car or coop extract + * @param pmcData Profile + * @param baseGain amount gained for the first extract + * @param extractCount Number of times extract was taken + * @returns Fence standing after taking extract + */ + protected getFenceStandingAfterExtract(pmcData: IPmcData, baseGain: number, extractCount: number): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/NoteController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/NoteController.d.ts new file mode 100644 index 0000000..ef07d6d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/NoteController.d.ts @@ -0,0 +1,11 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { INoteActionData } from "@spt-aki/models/eft/notes/INoteActionData"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +export declare class NoteController { + protected eventOutputHolder: EventOutputHolder; + constructor(eventOutputHolder: EventOutputHolder); + addNote(pmcData: IPmcData, body: INoteActionData, sessionID: string): IItemEventRouterResponse; + editNote(pmcData: IPmcData, body: INoteActionData, sessionID: string): IItemEventRouterResponse; + deleteNote(pmcData: IPmcData, body: INoteActionData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/NotifierController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/NotifierController.d.ts new file mode 100644 index 0000000..ad3d025 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/NotifierController.d.ts @@ -0,0 +1,23 @@ +import { HttpServerHelper } from "@spt-aki/helpers/HttpServerHelper"; +import { NotifierHelper } from "@spt-aki/helpers/NotifierHelper"; +import { INotifierChannel } from "@spt-aki/models/eft/notifier/INotifier"; +import { NotificationService } from "@spt-aki/services/NotificationService"; +export declare class NotifierController { + protected notifierHelper: NotifierHelper; + protected httpServerHelper: HttpServerHelper; + protected notificationService: NotificationService; + protected pollInterval: number; + protected timeout: number; + constructor(notifierHelper: NotifierHelper, httpServerHelper: HttpServerHelper, notificationService: NotificationService); + /** + * Resolve an array of session notifications. + * + * If no notifications are currently queued then intermittently check for new notifications until either + * one or more appear or when a timeout expires. + * If no notifications are available after the timeout, use a default message. + */ + notifyAsync(sessionID: string): Promise; + getServer(sessionID: string): string; + /** Handle client/notifier/channel/create */ + getChannel(sessionID: string): INotifierChannel; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/PresetBuildController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/PresetBuildController.d.ts new file mode 100644 index 0000000..7aa10e1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/PresetBuildController.d.ts @@ -0,0 +1,36 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IPresetBuildActionRequestData } from "@spt-aki/models/eft/presetBuild/IPresetBuildActionRequestData"; +import { IRemoveBuildRequestData } from "@spt-aki/models/eft/presetBuild/IRemoveBuildRequestData"; +import { IUserBuilds } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class PresetBuildController { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected eventOutputHolder: EventOutputHolder; + protected jsonUtil: JsonUtil; + protected databaseServer: DatabaseServer; + protected itemHelper: ItemHelper; + protected saveServer: SaveServer; + constructor(logger: ILogger, hashUtil: HashUtil, eventOutputHolder: EventOutputHolder, jsonUtil: JsonUtil, databaseServer: DatabaseServer, itemHelper: ItemHelper, saveServer: SaveServer); + /** Handle client/handbook/builds/my/list */ + getUserBuilds(sessionID: string): IUserBuilds; + /** Handle SaveWeaponBuild event */ + saveWeaponBuild(pmcData: IPmcData, body: IPresetBuildActionRequestData, sessionId: string): IItemEventRouterResponse; + /** Handle SaveEquipmentBuild event */ + saveEquipmentBuild(pmcData: IPmcData, body: IPresetBuildActionRequestData, sessionID: string): IItemEventRouterResponse; + protected saveBuild(pmcData: IPmcData, body: IPresetBuildActionRequestData, sessionID: string, buildType: string): IItemEventRouterResponse; + /** Handle RemoveWeaponBuild event*/ + removeBuild(pmcData: IPmcData, body: IRemoveBuildRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle RemoveWeaponBuild event*/ + removeWeaponBuild(pmcData: IPmcData, body: IPresetBuildActionRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle RemoveEquipmentBuild event*/ + removeEquipmentBuild(pmcData: IPmcData, body: IPresetBuildActionRequestData, sessionID: string): IItemEventRouterResponse; + protected removePlayerBuild(pmcData: IPmcData, id: string, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/PresetController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/PresetController.d.ts new file mode 100644 index 0000000..c1ae523 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/PresetController.d.ts @@ -0,0 +1,8 @@ +import { PresetHelper } from "@spt-aki/helpers/PresetHelper"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +export declare class PresetController { + protected presetHelper: PresetHelper; + protected databaseServer: DatabaseServer; + constructor(presetHelper: PresetHelper, databaseServer: DatabaseServer); + initialize(): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/ProfileController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/ProfileController.d.ts new file mode 100644 index 0000000..b1b7b8b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/ProfileController.d.ts @@ -0,0 +1,104 @@ +import { PlayerScavGenerator } from "@spt-aki/generators/PlayerScavGenerator"; +import { DialogueHelper } from "@spt-aki/helpers/DialogueHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { QuestHelper } from "@spt-aki/helpers/QuestHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IMiniProfile } from "@spt-aki/models/eft/launcher/IMiniProfile"; +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { IProfileChangeNicknameRequestData } from "@spt-aki/models/eft/profile/IProfileChangeNicknameRequestData"; +import { IProfileChangeVoiceRequestData } from "@spt-aki/models/eft/profile/IProfileChangeVoiceRequestData"; +import { IProfileCreateRequestData } from "@spt-aki/models/eft/profile/IProfileCreateRequestData"; +import { ISearchFriendRequestData } from "@spt-aki/models/eft/profile/ISearchFriendRequestData"; +import { ISearchFriendResponse } from "@spt-aki/models/eft/profile/ISearchFriendResponse"; +import { IValidateNicknameRequestData } from "@spt-aki/models/eft/profile/IValidateNicknameRequestData"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { ProfileFixerService } from "@spt-aki/services/ProfileFixerService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class ProfileController { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected timeUtil: TimeUtil; + protected saveServer: SaveServer; + protected databaseServer: DatabaseServer; + protected itemHelper: ItemHelper; + protected profileFixerService: ProfileFixerService; + protected localisationService: LocalisationService; + protected mailSendService: MailSendService; + protected playerScavGenerator: PlayerScavGenerator; + protected eventOutputHolder: EventOutputHolder; + protected traderHelper: TraderHelper; + protected dialogueHelper: DialogueHelper; + protected questHelper: QuestHelper; + protected profileHelper: ProfileHelper; + constructor(logger: ILogger, hashUtil: HashUtil, timeUtil: TimeUtil, saveServer: SaveServer, databaseServer: DatabaseServer, itemHelper: ItemHelper, profileFixerService: ProfileFixerService, localisationService: LocalisationService, mailSendService: MailSendService, playerScavGenerator: PlayerScavGenerator, eventOutputHolder: EventOutputHolder, traderHelper: TraderHelper, dialogueHelper: DialogueHelper, questHelper: QuestHelper, profileHelper: ProfileHelper); + /** + * Handle /launcher/profiles + */ + getMiniProfiles(): IMiniProfile[]; + /** + * Handle launcher/profile/info + */ + getMiniProfile(sessionID: string): any; + /** + * Handle client/game/profile/list + */ + getCompleteProfile(sessionID: string): IPmcData[]; + /** + * Handle client/game/profile/create + * @param info Client reqeust object + * @param sessionID Player id + * @returns Profiles _id value + */ + createProfile(info: IProfileCreateRequestData, sessionID: string): string; + /** + * Delete a profile + * @param sessionID Id of profile to delete + */ + protected deleteProfileBySessionId(sessionID: string): void; + /** + * Iterate over all quests in player profile, inspect rewards for the quests current state (accepted/completed) + * and send rewards to them in mail + * @param profileDetails Player profile + * @param sessionID Session id + * @param response Event router response + */ + protected givePlayerStartingQuestRewards(profileDetails: IAkiProfile, sessionID: string, response: IItemEventRouterResponse): void; + /** + * For each trader reset their state to what a level 1 player would see + * @param sessionID Session id of profile to reset + */ + protected resetAllTradersInProfile(sessionID: string): void; + /** + * Generate a player scav object + * PMC profile MUST exist first before pscav can be generated + * @param sessionID + * @returns IPmcData object + */ + generatePlayerScav(sessionID: string): IPmcData; + /** + * Handle client/game/profile/nickname/validate + */ + validateNickname(info: IValidateNicknameRequestData, sessionID: string): string; + /** + * Handle client/game/profile/nickname/change event + * Client allows player to adjust their profile name + */ + changeNickname(info: IProfileChangeNicknameRequestData, sessionID: string): string; + /** + * Handle client/game/profile/voice/change event + */ + changeVoice(info: IProfileChangeVoiceRequestData, sessionID: string): void; + /** + * Handle client/game/profile/search + */ + getFriends(info: ISearchFriendRequestData, sessionID: string): ISearchFriendResponse[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/QuestController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/QuestController.d.ts new file mode 100644 index 0000000..140573b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/QuestController.d.ts @@ -0,0 +1,192 @@ +import { DialogueHelper } from "@spt-aki/helpers/DialogueHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { QuestConditionHelper } from "@spt-aki/helpers/QuestConditionHelper"; +import { QuestHelper } from "@spt-aki/helpers/QuestHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IQuestStatus } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { AvailableForConditions, IQuest, Reward } from "@spt-aki/models/eft/common/tables/IQuest"; +import { IRepeatableQuest } from "@spt-aki/models/eft/common/tables/IRepeatableQuests"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IAcceptQuestRequestData } from "@spt-aki/models/eft/quests/IAcceptQuestRequestData"; +import { ICompleteQuestRequestData } from "@spt-aki/models/eft/quests/ICompleteQuestRequestData"; +import { IHandoverQuestRequestData } from "@spt-aki/models/eft/quests/IHandoverQuestRequestData"; +import { IQuestConfig } from "@spt-aki/models/spt/config/IQuestConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocaleService } from "@spt-aki/services/LocaleService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { PlayerService } from "@spt-aki/services/PlayerService"; +import { SeasonalEventService } from "@spt-aki/services/SeasonalEventService"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class QuestController { + protected logger: ILogger; + protected timeUtil: TimeUtil; + protected jsonUtil: JsonUtil; + protected httpResponseUtil: HttpResponseUtil; + protected eventOutputHolder: EventOutputHolder; + protected databaseServer: DatabaseServer; + protected itemHelper: ItemHelper; + protected dialogueHelper: DialogueHelper; + protected mailSendService: MailSendService; + protected profileHelper: ProfileHelper; + protected traderHelper: TraderHelper; + protected questHelper: QuestHelper; + protected questConditionHelper: QuestConditionHelper; + protected playerService: PlayerService; + protected localeService: LocaleService; + protected seasonalEventService: SeasonalEventService; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected questConfig: IQuestConfig; + constructor(logger: ILogger, timeUtil: TimeUtil, jsonUtil: JsonUtil, httpResponseUtil: HttpResponseUtil, eventOutputHolder: EventOutputHolder, databaseServer: DatabaseServer, itemHelper: ItemHelper, dialogueHelper: DialogueHelper, mailSendService: MailSendService, profileHelper: ProfileHelper, traderHelper: TraderHelper, questHelper: QuestHelper, questConditionHelper: QuestConditionHelper, playerService: PlayerService, localeService: LocaleService, seasonalEventService: SeasonalEventService, localisationService: LocalisationService, configServer: ConfigServer); + /** + * Handle client/quest/list + * Get all quests visible to player + * Exclude quests with incomplete preconditions (level/loyalty) + * @param sessionID session id + * @returns array of IQuest + */ + getClientQuests(sessionID: string): IQuest[]; + /** + * Does a provided quest have a level requirement equal to or below defined level + * @param quest Quest to check + * @param playerLevel level of player to test against quest + * @returns true if quest can be seen/accepted by player of defined level + */ + protected playerLevelFulfillsQuestRequirement(quest: IQuest, playerLevel: number): boolean; + /** + * Should a quest be shown to the player in trader quest screen + * @param questId Quest to check + * @returns true = show to player + */ + protected showEventQuestToPlayer(questId: string): boolean; + /** + * Is the quest for the opposite side the player is on + * @param playerSide Player side (usec/bear) + * @param questId QuestId to check + */ + protected questIsForOtherSide(playerSide: string, questId: string): boolean; + /** + * Handle QuestAccept event + * Handle the client accepting a quest and starting it + * Send starting rewards if any to player and + * Send start notification if any to player + * @param pmcData Profile to update + * @param acceptedQuest Quest accepted + * @param sessionID Session id + * @returns Client response + */ + acceptQuest(pmcData: IPmcData, acceptedQuest: IAcceptQuestRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Handle the client accepting a repeatable quest and starting it + * Send starting rewards if any to player and + * Send start notification if any to player + * @param pmcData Profile to update with new quest + * @param acceptedQuest Quest being accepted + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + acceptRepeatableQuest(pmcData: IPmcData, acceptedQuest: IAcceptQuestRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Look for an accepted quest inside player profile, return matching + * @param pmcData Profile to search through + * @param acceptedQuest Quest to search for + * @returns IRepeatableQuest + */ + protected getRepeatableQuestFromProfile(pmcData: IPmcData, acceptedQuest: IAcceptQuestRequestData): IRepeatableQuest; + /** + * Handle QuestComplete event + * Update completed quest in profile + * Add newly unlocked quests to profile + * Also recalculate their level due to exp rewards + * @param pmcData Player profile + * @param body Completed quest request + * @param sessionID Session id + * @returns ItemEvent client response + */ + completeQuest(pmcData: IPmcData, body: ICompleteQuestRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Remove a quest entirely from a profile + * @param sessionId Player id + * @param questIdToRemove Qid of quest to remove + */ + protected removeQuestFromScavProfile(sessionId: string, questIdToRemove: string): void; + /** + * Return quests that have different statuses + * @param preQuestStatusus Quests before + * @param postQuestStatuses Quests after + * @returns QuestStatusChange array + */ + protected getQuestsWithDifferentStatuses(preQuestStatusus: IQuestStatus[], postQuestStatuses: IQuestStatus[]): IQuestStatus[]; + /** + * Send a popup to player on successful completion of a quest + * @param sessionID session id + * @param pmcData Player profile + * @param completedQuestId Completed quest id + * @param questRewards Rewards given to player + */ + protected sendSuccessDialogMessageOnQuestComplete(sessionID: string, pmcData: IPmcData, completedQuestId: string, questRewards: Reward[]): void; + /** + * Look for newly available quests after completing a quest with a requirement to wait x minutes (time-locked) before being available and add data to profile + * @param pmcData Player profile to update + * @param quests Quests to look for wait conditions in + * @param completedQuestId Quest just completed + */ + protected addTimeLockedQuestsToProfile(pmcData: IPmcData, quests: IQuest[], completedQuestId: string): void; + /** + * Returns a list of quests that should be failed when a quest is completed + * @param completedQuestId quest completed id + * @returns array of quests + */ + protected getQuestsFailedByCompletingQuest(completedQuestId: string): IQuest[]; + /** + * Fail the provided quests + * Update quest in profile, otherwise add fresh quest object with failed status + * @param sessionID session id + * @param pmcData player profile + * @param questsToFail quests to fail + * @param output Client output + */ + protected failQuests(sessionID: string, pmcData: IPmcData, questsToFail: IQuest[], output: IItemEventRouterResponse): void; + /** + * Handle QuestHandover event + * @param pmcData Player profile + * @param handoverQuestRequest handover item request + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + handoverQuest(pmcData: IPmcData, handoverQuestRequest: IHandoverQuestRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Show warning to user and write to log that repeatable quest failed a condition check + * @param handoverQuestRequest Quest request + * @param output Response to send to user + * @returns IItemEventRouterResponse + */ + protected showRepeatableQuestInvalidConditionError(handoverQuestRequest: IHandoverQuestRequestData, output: IItemEventRouterResponse): IItemEventRouterResponse; + /** + * Show warning to user and write to log quest item handed over did not match what is required + * @param handoverQuestRequest Quest request + * @param itemHandedOver Non-matching item found + * @param handoverRequirements Quest handover requirements + * @param output Response to send to user + * @returns IItemEventRouterResponse + */ + protected showQuestItemHandoverMatchError(handoverQuestRequest: IHandoverQuestRequestData, itemHandedOver: Item, handoverRequirements: AvailableForConditions, output: IItemEventRouterResponse): IItemEventRouterResponse; + /** + * Increment a backend counter stored value by an amount, + * Create counter if it does not exist + * @param pmcData Profile to find backend counter in + * @param conditionId backend counter id to update + * @param questId quest id counter is associated with + * @param counterValue value to increment the backend counter with + */ + protected updateProfileBackendCounterValue(pmcData: IPmcData, conditionId: string, questId: string, counterValue: number): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/RagfairController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/RagfairController.d.ts new file mode 100644 index 0000000..71cbbbc --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/RagfairController.d.ts @@ -0,0 +1,192 @@ +import { RagfairOfferGenerator } from "@spt-aki/generators/RagfairOfferGenerator"; +import { HandbookHelper } from "@spt-aki/helpers/HandbookHelper"; +import { InventoryHelper } from "@spt-aki/helpers/InventoryHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { PaymentHelper } from "@spt-aki/helpers/PaymentHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { RagfairHelper } from "@spt-aki/helpers/RagfairHelper"; +import { RagfairOfferHelper } from "@spt-aki/helpers/RagfairOfferHelper"; +import { RagfairSellHelper } from "@spt-aki/helpers/RagfairSellHelper"; +import { RagfairSortHelper } from "@spt-aki/helpers/RagfairSortHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITraderAssort } from "@spt-aki/models/eft/common/tables/ITrader"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { IAddOfferRequestData, Requirement } from "@spt-aki/models/eft/ragfair/IAddOfferRequestData"; +import { IExtendOfferRequestData } from "@spt-aki/models/eft/ragfair/IExtendOfferRequestData"; +import { IGetItemPriceResult } from "@spt-aki/models/eft/ragfair/IGetItemPriceResult"; +import { IGetMarketPriceRequestData } from "@spt-aki/models/eft/ragfair/IGetMarketPriceRequestData"; +import { IGetOffersResult } from "@spt-aki/models/eft/ragfair/IGetOffersResult"; +import { IGetRagfairOfferByIdRequest } from "@spt-aki/models/eft/ragfair/IGetRagfairOfferByIdRequest"; +import { IRagfairOffer } from "@spt-aki/models/eft/ragfair/IRagfairOffer"; +import { ISearchRequestData } from "@spt-aki/models/eft/ragfair/ISearchRequestData"; +import { IProcessBuyTradeRequestData } from "@spt-aki/models/eft/trade/IProcessBuyTradeRequestData"; +import { IRagfairConfig } from "@spt-aki/models/spt/config/IRagfairConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { RagfairServer } from "@spt-aki/servers/RagfairServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { PaymentService } from "@spt-aki/services/PaymentService"; +import { RagfairOfferService } from "@spt-aki/services/RagfairOfferService"; +import { RagfairPriceService } from "@spt-aki/services/RagfairPriceService"; +import { RagfairRequiredItemsService } from "@spt-aki/services/RagfairRequiredItemsService"; +import { RagfairTaxService } from "@spt-aki/services/RagfairTaxService"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +/** + * Handle RagfairCallback events + */ +export declare class RagfairController { + protected logger: ILogger; + protected timeUtil: TimeUtil; + protected httpResponse: HttpResponseUtil; + protected eventOutputHolder: EventOutputHolder; + protected ragfairServer: RagfairServer; + protected ragfairPriceService: RagfairPriceService; + protected databaseServer: DatabaseServer; + protected itemHelper: ItemHelper; + protected saveServer: SaveServer; + protected ragfairSellHelper: RagfairSellHelper; + protected ragfairTaxService: RagfairTaxService; + protected ragfairSortHelper: RagfairSortHelper; + protected ragfairOfferHelper: RagfairOfferHelper; + protected profileHelper: ProfileHelper; + protected paymentService: PaymentService; + protected handbookHelper: HandbookHelper; + protected paymentHelper: PaymentHelper; + protected inventoryHelper: InventoryHelper; + protected traderHelper: TraderHelper; + protected ragfairHelper: RagfairHelper; + protected ragfairOfferService: RagfairOfferService; + protected ragfairRequiredItemsService: RagfairRequiredItemsService; + protected ragfairOfferGenerator: RagfairOfferGenerator; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected ragfairConfig: IRagfairConfig; + constructor(logger: ILogger, timeUtil: TimeUtil, httpResponse: HttpResponseUtil, eventOutputHolder: EventOutputHolder, ragfairServer: RagfairServer, ragfairPriceService: RagfairPriceService, databaseServer: DatabaseServer, itemHelper: ItemHelper, saveServer: SaveServer, ragfairSellHelper: RagfairSellHelper, ragfairTaxService: RagfairTaxService, ragfairSortHelper: RagfairSortHelper, ragfairOfferHelper: RagfairOfferHelper, profileHelper: ProfileHelper, paymentService: PaymentService, handbookHelper: HandbookHelper, paymentHelper: PaymentHelper, inventoryHelper: InventoryHelper, traderHelper: TraderHelper, ragfairHelper: RagfairHelper, ragfairOfferService: RagfairOfferService, ragfairRequiredItemsService: RagfairRequiredItemsService, ragfairOfferGenerator: RagfairOfferGenerator, localisationService: LocalisationService, configServer: ConfigServer); + getOffers(sessionID: string, searchRequest: ISearchRequestData): IGetOffersResult; + /** + * Handle client/ragfair/offer/findbyid + * @param sessionId Player id + * @param request Request data + * @returns IRagfairOffer + */ + getOfferById(sessionId: string, request: IGetRagfairOfferByIdRequest): IRagfairOffer; + /** + * Get offers for the client based on type of search being performed + * @param searchRequest Client search request data + * @param itemsToAdd comes from ragfairHelper.filterCategories() + * @param traderAssorts Trader assorts + * @param pmcProfile Player profile + * @returns array of offers + */ + protected getOffersForSearchType(searchRequest: ISearchRequestData, itemsToAdd: string[], traderAssorts: Record, pmcProfile: IPmcData): IRagfairOffer[]; + /** + * Get categories for the type of search being performed, linked/required/all + * @param searchRequest Client search request data + * @param offers ragfair offers to get categories for + * @returns record with tpls + counts + */ + protected getSpecificCategories(pmcProfile: IPmcData, searchRequest: ISearchRequestData, offers: IRagfairOffer[]): Record; + /** + * Add Required offers to offers result + * @param searchRequest Client search request data + * @param assorts + * @param pmcProfile Player profile + * @param result Result object being sent back to client + */ + protected addRequiredOffersToResult(searchRequest: ISearchRequestData, assorts: Record, pmcProfile: IPmcData, result: IGetOffersResult): void; + /** + * Add index to all offers passed in (0-indexed) + * @param offers Offers to add index value to + */ + protected addIndexValueToOffers(offers: IRagfairOffer[]): void; + /** + * Update a trader flea offer with buy restrictions stored in the traders assort + * @param offer flea offer to update + * @param profile full profile of player + */ + protected setTraderOfferPurchaseLimits(offer: IRagfairOffer, profile: IAkiProfile): void; + /** + * Adjust ragfair offer stack count to match same value as traders assort stack count + * @param offer Flea offer to adjust + */ + protected setTraderOfferStackSize(offer: IRagfairOffer): void; + protected isLinkedSearch(info: ISearchRequestData): boolean; + protected isRequiredSearch(info: ISearchRequestData): boolean; + /** + * Check all profiles and sell player offers / send player money for listing if it sold + */ + update(): void; + /** + * Called when creating an offer on flea, fills values in top right corner + * @param getPriceRequest + * @returns min/avg/max values for an item based on flea offers available + */ + getItemMinAvgMaxFleaPriceValues(getPriceRequest: IGetMarketPriceRequestData): IGetItemPriceResult; + /** + * List item(s) on flea for sale + * @param pmcData Player profile + * @param offerRequest Flea list creation offer + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + addPlayerOffer(pmcData: IPmcData, offerRequest: IAddOfferRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Charge player a listing fee for using flea, pulls charge from data previously sent by client + * @param sessionID Player id + * @param rootItem Base item being listed (used when client tax cost not found and must be done on server) + * @param pmcData Player profile + * @param requirementsPriceInRub Rouble cost player chose for listing (used when client tax cost not found and must be done on server) + * @param itemStackCount How many items were listed in player (used when client tax cost not found and must be done on server) + * @param offerRequest Add offer request object from client + * @param output IItemEventRouterResponse + * @returns True if charging tax to player failed + */ + protected chargePlayerTaxFee(sessionID: string, rootItem: Item, pmcData: IPmcData, requirementsPriceInRub: number, itemStackCount: number, offerRequest: IAddOfferRequestData, output: IItemEventRouterResponse): boolean; + /** + * Is the item to be listed on the flea valid + * @param offerRequest Client offer request + * @param errorMessage message to show to player when offer is invalid + * @returns Is offer valid + */ + protected isValidPlayerOfferRequest(offerRequest: IAddOfferRequestData, errorMessage: string): boolean; + /** + * Get the handbook price in roubles for the items being listed + * @param requirements + * @returns Rouble price + */ + protected calculateRequirementsPriceInRub(requirements: Requirement[]): number; + /** + * Using item ids from flea offer request, find corrispnding items from player inventory and return as array + * @param pmcData Player profile + * @param itemIdsFromFleaOfferRequest Ids from request + * @param errorMessage if item is not found, add error message to this parameter + * @returns Array of items from player inventory + */ + protected getItemsToListOnFleaFromInventory(pmcData: IPmcData, itemIdsFromFleaOfferRequest: string[], errorMessage: string): Item[]; + createPlayerOffer(profile: IAkiProfile, requirements: Requirement[], items: Item[], sellInOnePiece: boolean, amountToSend: number): IRagfairOffer; + getAllFleaPrices(): Record; + getStaticPrices(): Record; + /** + * User requested removal of the offer, actually reduces the time to 71 seconds, + * allowing for the possibility of extending the auction before it's end time + * @param offerId offer to 'remove' + * @param sessionID Players id + * @returns IItemEventRouterResponse + */ + removeOffer(offerId: string, sessionID: string): IItemEventRouterResponse; + extendOffer(info: IExtendOfferRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Create a basic trader request object with price and currency type + * @param currency What currency: RUB, EURO, USD + * @param value Amount of currency + * @returns IProcessBuyTradeRequestData + */ + protected createBuyTradeRequestObject(currency: string, value: number): IProcessBuyTradeRequestData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/RepairController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/RepairController.d.ts new file mode 100644 index 0000000..070f348 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/RepairController.d.ts @@ -0,0 +1,43 @@ +import { QuestHelper } from "@spt-aki/helpers/QuestHelper"; +import { RepairHelper } from "@spt-aki/helpers/RepairHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IRepairActionDataRequest } from "@spt-aki/models/eft/repair/IRepairActionDataRequest"; +import { ITraderRepairActionDataRequest } from "@spt-aki/models/eft/repair/ITraderRepairActionDataRequest"; +import { IRepairConfig } from "@spt-aki/models/spt/config/IRepairConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { PaymentService } from "@spt-aki/services/PaymentService"; +import { RepairService } from "@spt-aki/services/RepairService"; +export declare class RepairController { + protected logger: ILogger; + protected eventOutputHolder: EventOutputHolder; + protected databaseServer: DatabaseServer; + protected questHelper: QuestHelper; + protected traderHelper: TraderHelper; + protected paymentService: PaymentService; + protected repairHelper: RepairHelper; + protected repairService: RepairService; + protected repairConfig: IRepairConfig; + constructor(logger: ILogger, eventOutputHolder: EventOutputHolder, databaseServer: DatabaseServer, questHelper: QuestHelper, traderHelper: TraderHelper, paymentService: PaymentService, repairHelper: RepairHelper, repairService: RepairService); + /** + * Handle TraderRepair event + * Repair with trader + * @param sessionID session id + * @param body endpoint request data + * @param pmcData player profile + * @returns item event router action + */ + traderRepair(sessionID: string, body: ITraderRepairActionDataRequest, pmcData: IPmcData): IItemEventRouterResponse; + /** + * Handle Repair event + * Repair with repair kit + * @param sessionID session id + * @param body endpoint request data + * @param pmcData player profile + * @returns item event router action + */ + repairWithKit(sessionID: string, body: IRepairActionDataRequest, pmcData: IPmcData): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/RepeatableQuestController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/RepeatableQuestController.d.ts new file mode 100644 index 0000000..7068128 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/RepeatableQuestController.d.ts @@ -0,0 +1,104 @@ +import { RepeatableQuestGenerator } from "@spt-aki/generators/RepeatableQuestGenerator"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { QuestHelper } from "@spt-aki/helpers/QuestHelper"; +import { RagfairServerHelper } from "@spt-aki/helpers/RagfairServerHelper"; +import { RepeatableQuestHelper } from "@spt-aki/helpers/RepeatableQuestHelper"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IPmcDataRepeatableQuest, IRepeatableQuest } from "@spt-aki/models/eft/common/tables/IRepeatableQuests"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IRepeatableQuestChangeRequest } from "@spt-aki/models/eft/quests/IRepeatableQuestChangeRequest"; +import { IQuestConfig, IRepeatableQuestConfig } from "@spt-aki/models/spt/config/IQuestConfig"; +import { IQuestTypePool } from "@spt-aki/models/spt/repeatable/IQuestTypePool"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { PaymentService } from "@spt-aki/services/PaymentService"; +import { ProfileFixerService } from "@spt-aki/services/ProfileFixerService"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { ObjectId } from "@spt-aki/utils/ObjectId"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class RepeatableQuestController { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected timeUtil: TimeUtil; + protected randomUtil: RandomUtil; + protected httpResponse: HttpResponseUtil; + protected jsonUtil: JsonUtil; + protected profileHelper: ProfileHelper; + protected profileFixerService: ProfileFixerService; + protected ragfairServerHelper: RagfairServerHelper; + protected eventOutputHolder: EventOutputHolder; + protected paymentService: PaymentService; + protected objectId: ObjectId; + protected repeatableQuestGenerator: RepeatableQuestGenerator; + protected repeatableQuestHelper: RepeatableQuestHelper; + protected questHelper: QuestHelper; + protected configServer: ConfigServer; + protected questConfig: IQuestConfig; + constructor(logger: ILogger, databaseServer: DatabaseServer, timeUtil: TimeUtil, randomUtil: RandomUtil, httpResponse: HttpResponseUtil, jsonUtil: JsonUtil, profileHelper: ProfileHelper, profileFixerService: ProfileFixerService, ragfairServerHelper: RagfairServerHelper, eventOutputHolder: EventOutputHolder, paymentService: PaymentService, objectId: ObjectId, repeatableQuestGenerator: RepeatableQuestGenerator, repeatableQuestHelper: RepeatableQuestHelper, questHelper: QuestHelper, configServer: ConfigServer); + /** + * Handle client/repeatalbeQuests/activityPeriods + * Returns an array of objects in the format of repeatable quests to the client. + * repeatableQuestObject = { + * id: Unique Id, + * name: "Daily", + * endTime: the time when the quests expire + * activeQuests: currently available quests in an array. Each element of quest type format (see assets/database/templates/repeatableQuests.json). + * inactiveQuests: the quests which were previously active (required by client to fail them if they are not completed) + * } + * + * The method checks if the player level requirement for repeatable quests (e.g. daily lvl5, weekly lvl15) is met and if the previously active quests + * are still valid. This ischecked by endTime persisted in profile accordning to the resetTime configured for each repeatable kind (daily, weekly) + * in QuestCondig.js + * + * If the condition is met, new repeatableQuests are created, old quests (which are persisted in the profile.RepeatableQuests[i].activeQuests) are + * moved to profile.RepeatableQuests[i].inactiveQuests. This memory is required to get rid of old repeatable quest data in the profile, otherwise + * they'll litter the profile's Quests field. + * (if the are on "Succeed" but not "Completed" we keep them, to allow the player to complete them and get the rewards) + * The new quests generated are again persisted in profile.RepeatableQuests + * + * @param {string} _info Request from client + * @param {string} sessionID Player's session id + * + * @returns {array} array of "repeatableQuestObjects" as descibed above + */ + getClientRepeatableQuests(_info: IEmptyRequestData, sessionID: string): IPmcDataRepeatableQuest[]; + /** + * Get the number of quests to generate - takes into account charisma state of player + * @param repeatableConfig Config + * @param pmcData Player profile + * @returns Quest count + */ + protected getQuestCount(repeatableConfig: IRepeatableQuestConfig, pmcData: IPmcData): number; + /** + * Get repeatable quest data from profile from name (daily/weekly), creates base repeatable quest object if none exists + * @param repeatableConfig daily/weekly config + * @param pmcData Profile to search + * @returns IPmcDataRepeatableQuest + */ + protected getRepeatableQuestSubTypeFromProfile(repeatableConfig: IRepeatableQuestConfig, pmcData: IPmcData): IPmcDataRepeatableQuest; + /** + * Just for debug reasons. Draws dailies a random assort of dailies extracted from dumps + */ + generateDebugDailies(dailiesPool: any, factory: any, number: number): any; + /** + * Used to create a quest pool during each cycle of repeatable quest generation. The pool will be subsequently + * narrowed down during quest generation to avoid duplicate quests. Like duplicate extractions or elimination quests + * where you have to e.g. kill scavs in same locations. + * @param repeatableConfig main repeatable quest config + * @param pmcLevel level of pmc generating quest pool + * @returns IQuestTypePool + */ + protected generateQuestPool(repeatableConfig: IRepeatableQuestConfig, pmcLevel: number): IQuestTypePool; + protected createBaseQuestPool(repeatableConfig: IRepeatableQuestConfig): IQuestTypePool; + debugLogRepeatableQuestIds(pmcData: IPmcData): void; + /** + * Handle RepeatableQuestChange event + */ + changeRepeatableQuest(pmcData: IPmcData, changeRequest: IRepeatableQuestChangeRequest, sessionID: string): IItemEventRouterResponse; + protected attemptToGenerateRepeatableQuest(pmcData: IPmcData, questTypePool: IQuestTypePool, repeatableConfig: IRepeatableQuestConfig): IRepeatableQuest; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/TradeController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/TradeController.d.ts new file mode 100644 index 0000000..3824e2b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/TradeController.d.ts @@ -0,0 +1,65 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { TradeHelper } from "@spt-aki/helpers/TradeHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Item, Upd } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITraderBase } from "@spt-aki/models/eft/common/tables/ITrader"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IProcessBaseTradeRequestData } from "@spt-aki/models/eft/trade/IProcessBaseTradeRequestData"; +import { IProcessRagfairTradeRequestData } from "@spt-aki/models/eft/trade/IProcessRagfairTradeRequestData"; +import { ISellScavItemsToFenceRequestData } from "@spt-aki/models/eft/trade/ISellScavItemsToFenceRequestData"; +import { Traders } from "@spt-aki/models/enums/Traders"; +import { IRagfairConfig } from "@spt-aki/models/spt/config/IRagfairConfig"; +import { ITraderConfig } from "@spt-aki/models/spt/config/ITraderConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { RagfairServer } from "@spt-aki/servers/RagfairServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { RagfairPriceService } from "@spt-aki/services/RagfairPriceService"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class TradeController { + protected logger: ILogger; + protected eventOutputHolder: EventOutputHolder; + protected tradeHelper: TradeHelper; + protected itemHelper: ItemHelper; + protected profileHelper: ProfileHelper; + protected traderHelper: TraderHelper; + protected jsonUtil: JsonUtil; + protected ragfairServer: RagfairServer; + protected httpResponse: HttpResponseUtil; + protected localisationService: LocalisationService; + protected ragfairPriceService: RagfairPriceService; + protected configServer: ConfigServer; + protected ragfairConfig: IRagfairConfig; + protected traderConfig: ITraderConfig; + constructor(logger: ILogger, eventOutputHolder: EventOutputHolder, tradeHelper: TradeHelper, itemHelper: ItemHelper, profileHelper: ProfileHelper, traderHelper: TraderHelper, jsonUtil: JsonUtil, ragfairServer: RagfairServer, httpResponse: HttpResponseUtil, localisationService: LocalisationService, ragfairPriceService: RagfairPriceService, configServer: ConfigServer); + /** Handle TradingConfirm event */ + confirmTrading(pmcData: IPmcData, request: IProcessBaseTradeRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle RagFairBuyOffer event */ + confirmRagfairTrading(pmcData: IPmcData, body: IProcessRagfairTradeRequestData, sessionID: string): IItemEventRouterResponse; + /** Handle SellAllFromSavage event */ + sellScavItemsToFence(pmcData: IPmcData, request: ISellScavItemsToFenceRequestData, sessionId: string): IItemEventRouterResponse; + /** + * Sell all sellable items to a trader from inventory + * WILL DELETE ITEMS FROM INVENTORY + CHILDREN OF ITEMS SOLD + * @param sessionId Session id + * @param profileWithItemsToSell Profile with items to be sold to trader + * @param profileThatGetsMoney Profile that gets the money after selling items + * @param trader Trader to sell items to + * @returns IItemEventRouterResponse + */ + protected sellInventoryToTrader(sessionId: string, profileWithItemsToSell: IPmcData, profileThatGetsMoney: IPmcData, trader: Traders): IItemEventRouterResponse; + /** + * Looks up an items children and gets total handbook price for them + * @param parentItemId parent item that has children we want to sum price of + * @param items All items (parent + children) + * @param handbookPrices Prices of items from handbook + * @param traderDetails Trader being sold to to perform buy category check against + * @returns Rouble price + */ + protected getPriceOfItemAndChildren(parentItemId: string, items: Item[], handbookPrices: Record, traderDetails: ITraderBase): number; + protected confirmTradingInternal(pmcData: IPmcData, body: IProcessBaseTradeRequestData, sessionID: string, foundInRaid?: boolean, upd?: Upd): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/TraderController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/TraderController.d.ts new file mode 100644 index 0000000..d85977f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/TraderController.d.ts @@ -0,0 +1,55 @@ +import { FenceBaseAssortGenerator } from "@spt-aki/generators/FenceBaseAssortGenerator"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { TraderAssortHelper } from "@spt-aki/helpers/TraderAssortHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { ITraderAssort, ITraderBase } from "@spt-aki/models/eft/common/tables/ITrader"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { FenceService } from "@spt-aki/services/FenceService"; +import { TraderAssortService } from "@spt-aki/services/TraderAssortService"; +import { TraderPurchasePersisterService } from "@spt-aki/services/TraderPurchasePersisterService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class TraderController { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected traderAssortHelper: TraderAssortHelper; + protected profileHelper: ProfileHelper; + protected traderHelper: TraderHelper; + protected traderAssortService: TraderAssortService; + protected traderPurchasePersisterService: TraderPurchasePersisterService; + protected fenceService: FenceService; + protected fenceBaseAssortGenerator: FenceBaseAssortGenerator; + protected jsonUtil: JsonUtil; + constructor(logger: ILogger, databaseServer: DatabaseServer, traderAssortHelper: TraderAssortHelper, profileHelper: ProfileHelper, traderHelper: TraderHelper, traderAssortService: TraderAssortService, traderPurchasePersisterService: TraderPurchasePersisterService, fenceService: FenceService, fenceBaseAssortGenerator: FenceBaseAssortGenerator, jsonUtil: JsonUtil); + /** + * Runs when onLoad event is fired + * Iterate over traders, ensure an unmolested copy of their assorts is stored in traderAssortService + * Store timestamp of next assort refresh in nextResupply property of traders .base object + */ + load(): void; + /** + * Runs when onUpdate is fired + * If current time is > nextResupply(expire) time of trader, refresh traders assorts and + * Fence is handled slightly differently + * @returns has run + */ + update(): boolean; + /** + * Handle client/trading/api/traderSettings + * Return an array of all traders + * @param sessionID Session id + * @returns array if ITraderBase objects + */ + getAllTraders(sessionID: string): ITraderBase[]; + /** + * Order traders by their traderId (Ttid) + * @param traderA First trader to compare + * @param traderB Second trader to compare + * @returns 1,-1 or 0 + */ + protected sortByTraderId(traderA: ITraderBase, traderB: ITraderBase): number; + /** Handle client/trading/api/getTrader */ + getTrader(sessionID: string, traderID: string): ITraderBase; + /** Handle client/trading/api/getTraderAssort */ + getAssort(sessionId: string, traderId: string): ITraderAssort; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/WeatherController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/WeatherController.d.ts new file mode 100644 index 0000000..e25dc16 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/WeatherController.d.ts @@ -0,0 +1,19 @@ +import { WeatherGenerator } from "@spt-aki/generators/WeatherGenerator"; +import { IWeatherData } from "@spt-aki/models/eft/weather/IWeatherData"; +import { IWeatherConfig } from "@spt-aki/models/spt/config/IWeatherConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +export declare class WeatherController { + protected weatherGenerator: WeatherGenerator; + protected logger: ILogger; + protected configServer: ConfigServer; + protected weatherConfig: IWeatherConfig; + constructor(weatherGenerator: WeatherGenerator, logger: ILogger, configServer: ConfigServer); + /** Handle client/weather */ + generate(): IWeatherData; + /** + * Get the current in-raid time (MUST HAVE PLAYER LOGGED INTO CLIENT TO WORK) + * @returns Date object + */ + getCurrentInRaidTime(): Date; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/controllers/WishlistController.d.ts b/TypeScript/23CustomAbstractChatBot/types/controllers/WishlistController.d.ts new file mode 100644 index 0000000..01c4465 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/controllers/WishlistController.d.ts @@ -0,0 +1,12 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IWishlistActionData } from "@spt-aki/models/eft/wishlist/IWishlistActionData"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +export declare class WishlistController { + protected eventOutputHolder: EventOutputHolder; + constructor(eventOutputHolder: EventOutputHolder); + /** Handle AddToWishList */ + addToWishList(pmcData: IPmcData, body: IWishlistActionData, sessionID: string): IItemEventRouterResponse; + /** Handle RemoveFromWishList event */ + removeFromWishList(pmcData: IPmcData, body: IWishlistActionData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/di/Container.d.ts b/TypeScript/23CustomAbstractChatBot/types/di/Container.d.ts new file mode 100644 index 0000000..e339a3b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/di/Container.d.ts @@ -0,0 +1,18 @@ +import { DependencyContainer } from "tsyringe"; +/** + * Handle the registration of classes to be used by the Dependency Injection code + */ +export declare class Container { + static registerPostLoadTypes(container: DependencyContainer, childContainer: DependencyContainer): void; + static registerTypes(depContainer: DependencyContainer): void; + static registerListTypes(depContainer: DependencyContainer): void; + private static registerUtils; + private static registerRouters; + private static registerGenerators; + private static registerHelpers; + private static registerLoaders; + private static registerCallbacks; + private static registerServices; + private static registerServers; + private static registerControllers; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/di/OnLoad.d.ts b/TypeScript/23CustomAbstractChatBot/types/di/OnLoad.d.ts new file mode 100644 index 0000000..a5cdea3 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/di/OnLoad.d.ts @@ -0,0 +1,4 @@ +export interface OnLoad { + onLoad(): Promise; + getRoute(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/di/OnUpdate.d.ts b/TypeScript/23CustomAbstractChatBot/types/di/OnUpdate.d.ts new file mode 100644 index 0000000..e1ce375 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/di/OnUpdate.d.ts @@ -0,0 +1,4 @@ +export interface OnUpdate { + onUpdate(timeSinceLastRun: number): Promise; + getRoute(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/di/Router.d.ts b/TypeScript/23CustomAbstractChatBot/types/di/Router.d.ts new file mode 100644 index 0000000..b77dece --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/di/Router.d.ts @@ -0,0 +1,38 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +export declare class Router { + protected handledRoutes: HandledRoute[]; + getTopLevelRoute(): string; + protected getHandledRoutes(): HandledRoute[]; + protected getInternalHandledRoutes(): HandledRoute[]; + canHandle(url: string, partialMatch?: boolean): boolean; +} +export declare class StaticRouter extends Router { + private routes; + constructor(routes: RouteAction[]); + handleStatic(url: string, info: any, sessionID: string, output: string): any; + getHandledRoutes(): HandledRoute[]; +} +export declare class DynamicRouter extends Router { + private routes; + constructor(routes: RouteAction[]); + handleDynamic(url: string, info: any, sessionID: string, output: string): any; + getHandledRoutes(): HandledRoute[]; +} +export declare class ItemEventRouterDefinition extends Router { + handleItemEvent(url: string, pmcData: IPmcData, body: any, sessionID: string): IItemEventRouterResponse; +} +export declare class SaveLoadRouter extends Router { + handleLoad(profile: IAkiProfile): IAkiProfile; +} +export declare class HandledRoute { + route: string; + dynamic: boolean; + constructor(route: string, dynamic: boolean); +} +export declare class RouteAction { + url: string; + action: (url: string, info: any, sessionID: string, output: string) => any; + constructor(url: string, action: (url: string, info: any, sessionID: string, output: string) => any); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/di/Serializer.d.ts b/TypeScript/23CustomAbstractChatBot/types/di/Serializer.d.ts new file mode 100644 index 0000000..b760b8b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/di/Serializer.d.ts @@ -0,0 +1,6 @@ +/// +import { IncomingMessage, ServerResponse } from "node:http"; +export declare class Serializer { + serialize(sessionID: string, req: IncomingMessage, resp: ServerResponse, body: any): void; + canHandle(something: string): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/BotEquipmentModGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/BotEquipmentModGenerator.d.ts new file mode 100644 index 0000000..2e73798 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/BotEquipmentModGenerator.d.ts @@ -0,0 +1,209 @@ +import { BotGeneratorHelper } from "@spt-aki/helpers/BotGeneratorHelper"; +import { BotHelper } from "@spt-aki/helpers/BotHelper"; +import { BotWeaponGeneratorHelper } from "@spt-aki/helpers/BotWeaponGeneratorHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ProbabilityHelper } from "@spt-aki/helpers/ProbabilityHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { Mods, ModsChances } from "@spt-aki/models/eft/common/tables/IBotType"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITemplateItem, Slot } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { EquipmentFilterDetails, IBotConfig } from "@spt-aki/models/spt/config/IBotConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { BotEquipmentFilterService } from "@spt-aki/services/BotEquipmentFilterService"; +import { BotEquipmentModPoolService } from "@spt-aki/services/BotEquipmentModPoolService"; +import { BotModLimits, BotWeaponModLimitService } from "@spt-aki/services/BotWeaponModLimitService"; +import { ItemFilterService } from "@spt-aki/services/ItemFilterService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class BotEquipmentModGenerator { + protected logger: ILogger; + protected jsonUtil: JsonUtil; + protected hashUtil: HashUtil; + protected randomUtil: RandomUtil; + protected probabilityHelper: ProbabilityHelper; + protected databaseServer: DatabaseServer; + protected itemHelper: ItemHelper; + protected botEquipmentFilterService: BotEquipmentFilterService; + protected itemFilterService: ItemFilterService; + protected profileHelper: ProfileHelper; + protected botWeaponModLimitService: BotWeaponModLimitService; + protected botHelper: BotHelper; + protected botGeneratorHelper: BotGeneratorHelper; + protected botWeaponGeneratorHelper: BotWeaponGeneratorHelper; + protected localisationService: LocalisationService; + protected botEquipmentModPoolService: BotEquipmentModPoolService; + protected configServer: ConfigServer; + protected botConfig: IBotConfig; + constructor(logger: ILogger, jsonUtil: JsonUtil, hashUtil: HashUtil, randomUtil: RandomUtil, probabilityHelper: ProbabilityHelper, databaseServer: DatabaseServer, itemHelper: ItemHelper, botEquipmentFilterService: BotEquipmentFilterService, itemFilterService: ItemFilterService, profileHelper: ProfileHelper, botWeaponModLimitService: BotWeaponModLimitService, botHelper: BotHelper, botGeneratorHelper: BotGeneratorHelper, botWeaponGeneratorHelper: BotWeaponGeneratorHelper, localisationService: LocalisationService, botEquipmentModPoolService: BotEquipmentModPoolService, configServer: ConfigServer); + /** + * Check mods are compatible and add to array + * @param equipment Equipment item to add mods to + * @param modPool Mod list to choose frm + * @param parentId parentid of item to add mod to + * @param parentTemplate template objet of item to add mods to + * @param modSpawnChances dictionary of mod items and their chance to spawn for this bot type + * @param botRole the bot role being generated for + * @param forceSpawn should this mod be forced to spawn + * @returns Item + compatible mods as an array + */ + generateModsForEquipment(equipment: Item[], modPool: Mods, parentId: string, parentTemplate: ITemplateItem, modSpawnChances: ModsChances, botRole: string, forceSpawn?: boolean): Item[]; + /** + * Add mods to a weapon using the provided mod pool + * @param sessionId session id + * @param weapon Weapon to add mods to + * @param modPool Pool of compatible mods to attach to weapon + * @param weaponParentId parentId of weapon + * @param parentTemplate Weapon which mods will be generated on + * @param modSpawnChances Mod spawn chances + * @param ammoTpl Ammo tpl to use when generating magazines/cartridges + * @param botRole Role of bot weapon is generated for + * @param botLevel lvel of the bot weapon is being generated for + * @param modLimits limits placed on certian mod types per gun + * @param botEquipmentRole role of bot when accessing bot.json equipment config settings + * @returns Weapon + mods array + */ + generateModsForWeapon(sessionId: string, weapon: Item[], modPool: Mods, weaponParentId: string, parentTemplate: ITemplateItem, modSpawnChances: ModsChances, ammoTpl: string, botRole: string, botLevel: number, modLimits: BotModLimits, botEquipmentRole: string): Item[]; + /** + * Is this modslot a front or rear sight + * @param modSlot Slot to check + * @returns true if it's a front/rear sight + */ + protected modIsFrontOrRearSight(modSlot: string, tpl: string): boolean; + /** + * Does the provided mod details show the mod can hold a scope + * @param modSlot e.g. mod_scope, mod_mount + * @param modsParentId Parent id of mod item + * @returns true if it can hold a scope + */ + protected modSlotCanHoldScope(modSlot: string, modsParentId: string): boolean; + /** + * Set mod spawn chances to defined amount + * @param modSpawnChances Chance dictionary to update + */ + protected adjustSlotSpawnChances(modSpawnChances: ModsChances, modSlotsToAdjust: string[], newChancePercent: number): void; + protected modSlotCanHoldMuzzleDevices(modSlot: string, modsParentId: string): boolean; + protected sortModKeys(unsortedKeys: string[]): string[]; + /** + * Get a Slot property for an item (chamber/cartridge/slot) + * @param modSlot e.g patron_in_weapon + * @param parentTemplate item template + * @returns Slot item + */ + protected getModItemSlot(modSlot: string, parentTemplate: ITemplateItem): Slot; + /** + * Randomly choose if a mod should be spawned, 100% for required mods OR mod is ammo slot + * never return true for an item that has 0% spawn chance + * @param itemSlot slot the item sits in + * @param modSlot slot the mod sits in + * @param modSpawnChances Chances for various mod spawns + * @returns boolean true if it should spawn + */ + protected shouldModBeSpawned(itemSlot: Slot, modSlot: string, modSpawnChances: ModsChances): boolean; + /** + * @param modSlot Slot mod will fit into + * @param isRandomisableSlot Will generate a randomised mod pool if true + * @param modsParent Parent slot the item will be a part of + * @param botEquipBlacklist Blacklist to prevent mods from being picked + * @param itemModPool Pool of items to pick from + * @param weapon array with only weapon tpl in it, ready for mods to be added + * @param ammoTpl ammo tpl to use if slot requires a cartridge to be added (e.g. mod_magazine) + * @param parentTemplate Parent item the mod will go into + * @returns ITemplateItem + */ + protected chooseModToPutIntoSlot(modSlot: string, isRandomisableSlot: boolean, botWeaponSightWhitelist: Record, botEquipBlacklist: EquipmentFilterDetails, itemModPool: Record, weapon: Item[], ammoTpl: string, parentTemplate: ITemplateItem): [boolean, ITemplateItem]; + /** + * Temp fix to prevent certain combinations of weapons with mods that are known to be incompatible + * @param weapon Weapon + * @param modTpl Mod to check compatibility with weapon + * @returns True if incompatible + */ + protected weaponModComboIsIncompatible(weapon: Item[], modTpl: string): boolean; + /** + * Create a mod item with parameters as properties + * @param modId _id + * @param modTpl _tpl + * @param parentId parentId + * @param modSlot slotId + * @param modTemplate Used to add additional properites in the upd object + * @returns Item object + */ + protected createModItem(modId: string, modTpl: string, parentId: string, modSlot: string, modTemplate: ITemplateItem, botRole: string): Item; + /** + * Get a list of containers that hold ammo + * e.g. mod_magazine / patron_in_weapon_000 + * @returns string array + */ + protected getAmmoContainers(): string[]; + /** + * Get a random mod from an items compatible mods Filter array + * @param modTpl ???? default value to return if nothing found + * @param parentSlot item mod will go into, used to get combatible items + * @param modSlot Slot to get mod to fill + * @param items items to ensure picked mod is compatible with + * @returns item tpl + */ + protected getModTplFromItemDb(modTpl: string, parentSlot: Slot, modSlot: string, items: Item[]): string; + /** + * Log errors if mod is not compatible with slot + * @param modToAdd template of mod to check + * @param itemSlot slot the item will be placed in + * @param modSlot slot the mod will fill + * @param parentTemplate template of the mods parent item + * @returns true if valid + */ + protected isModValidForSlot(modToAdd: [boolean, ITemplateItem], itemSlot: Slot, modSlot: string, parentTemplate: ITemplateItem): boolean; + /** + * Find mod tpls of a provided type and add to modPool + * @param desiredSlotName slot to look up and add we are adding tpls for (e.g mod_scope) + * @param modTemplate db object for modItem we get compatible mods from + * @param modPool Pool of mods we are adding to + */ + protected addCompatibleModsForProvidedMod(desiredSlotName: string, modTemplate: ITemplateItem, modPool: Mods, botEquipBlacklist: EquipmentFilterDetails): void; + /** + * Get the possible items that fit a slot + * @param parentItemId item tpl to get compatible items for + * @param modSlot Slot item should fit in + * @param botEquipBlacklist equipment that should not be picked + * @returns array of compatible items for that slot + */ + protected getDynamicModPool(parentItemId: string, modSlot: string, botEquipBlacklist: EquipmentFilterDetails): string[]; + /** + * Take a list of tpls and filter out blacklisted values using itemFilterService + botEquipmentBlacklist + * @param allowedMods base mods to filter + * @param botEquipBlacklist equipment blacklist + * @param modSlot slot mods belong to + * @returns Filtered array of mod tpls + */ + protected filterWeaponModsByBlacklist(allowedMods: string[], botEquipBlacklist: EquipmentFilterDetails, modSlot: string): string[]; + /** + * With the shotgun revolver (60db29ce99594040e04c4a27) 12.12 introduced CylinderMagazines. + * Those magazines (e.g. 60dc519adf4c47305f6d410d) have a "Cartridges" entry with a _max_count=0. + * Ammo is not put into the magazine directly but assigned to the magazine's slots: The "camora_xxx" slots. + * This function is a helper called by generateModsForItem for mods with parent type "CylinderMagazine" + * @param items The items where the CylinderMagazine's camora are appended to + * @param modPool modPool which should include available cartridges + * @param parentId The CylinderMagazine's UID + * @param parentTemplate The CylinderMagazine's template + */ + protected fillCamora(items: Item[], modPool: Mods, parentId: string, parentTemplate: ITemplateItem): void; + /** + * Take a record of camoras and merge the compatable shells into one array + * @param camorasWithShells camoras we want to merge into one array + * @returns string array of shells fro luitple camora sources + */ + protected mergeCamoraPoolsTogether(camorasWithShells: Record): string[]; + /** + * Filter out non-whitelisted weapon scopes + * Controlled by bot.json weaponSightWhitelist + * e.g. filter out rifle scopes from SMGs + * @param weapon Weapon scopes will be added to + * @param scopes Full scope pool + * @param botWeaponSightWhitelist Whitelist of scope types by weapon base type + * @returns Array of scope tpls that have been filtered to just ones allowed for that weapon type + */ + protected filterSightsByWeaponType(weapon: Item, scopes: string[], botWeaponSightWhitelist: Record): string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/BotGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/BotGenerator.d.ts new file mode 100644 index 0000000..8144f70 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/BotGenerator.d.ts @@ -0,0 +1,131 @@ +import { BotInventoryGenerator } from "@spt-aki/generators/BotInventoryGenerator"; +import { BotLevelGenerator } from "@spt-aki/generators/BotLevelGenerator"; +import { BotDifficultyHelper } from "@spt-aki/helpers/BotDifficultyHelper"; +import { BotHelper } from "@spt-aki/helpers/BotHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { WeightedRandomHelper } from "@spt-aki/helpers/WeightedRandomHelper"; +import { Health as PmcHealth, IBaseJsonSkills, IBaseSkill, IBotBase, Info, Skills as botSkills } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { Appearance, Health, IBotType } from "@spt-aki/models/eft/common/tables/IBotType"; +import { BotGenerationDetails } from "@spt-aki/models/spt/bots/BotGenerationDetails"; +import { IBotConfig } from "@spt-aki/models/spt/config/IBotConfig"; +import { IPmcConfig } from "@spt-aki/models/spt/config/IPmcConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { BotEquipmentFilterService } from "@spt-aki/services/BotEquipmentFilterService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { SeasonalEventService } from "@spt-aki/services/SeasonalEventService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class BotGenerator { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected randomUtil: RandomUtil; + protected timeUtil: TimeUtil; + protected jsonUtil: JsonUtil; + protected profileHelper: ProfileHelper; + protected databaseServer: DatabaseServer; + protected botInventoryGenerator: BotInventoryGenerator; + protected botLevelGenerator: BotLevelGenerator; + protected botEquipmentFilterService: BotEquipmentFilterService; + protected weightedRandomHelper: WeightedRandomHelper; + protected botHelper: BotHelper; + protected botDifficultyHelper: BotDifficultyHelper; + protected seasonalEventService: SeasonalEventService; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected botConfig: IBotConfig; + protected pmcConfig: IPmcConfig; + constructor(logger: ILogger, hashUtil: HashUtil, randomUtil: RandomUtil, timeUtil: TimeUtil, jsonUtil: JsonUtil, profileHelper: ProfileHelper, databaseServer: DatabaseServer, botInventoryGenerator: BotInventoryGenerator, botLevelGenerator: BotLevelGenerator, botEquipmentFilterService: BotEquipmentFilterService, weightedRandomHelper: WeightedRandomHelper, botHelper: BotHelper, botDifficultyHelper: BotDifficultyHelper, seasonalEventService: SeasonalEventService, localisationService: LocalisationService, configServer: ConfigServer); + /** + * Generate a player scav bot object + * @param role e.g. assault / pmcbot + * @param difficulty easy/normal/hard/impossible + * @param botTemplate base bot template to use (e.g. assault/pmcbot) + * @returns + */ + generatePlayerScav(sessionId: string, role: string, difficulty: string, botTemplate: IBotType): IBotBase; + /** + * Create x number of bots of the type/side/difficulty defined in botGenerationDetails + * @param sessionId Session id + * @param botGenerationDetails details on how to generate bots + * @returns array of bots + */ + prepareAndGenerateBots(sessionId: string, botGenerationDetails: BotGenerationDetails): IBotBase[]; + /** + * Get a clone of the database\bots\base.json file + * @returns IBotBase object + */ + protected getCloneOfBotBase(): IBotBase; + /** + * Create a IBotBase object with equipment/loot/exp etc + * @param sessionId Session id + * @param bot bots base file + * @param botJsonTemplate Bot template from db/bots/x.json + * @param botGenerationDetails details on how to generate the bot + * @returns IBotBase object + */ + protected generateBot(sessionId: string, bot: IBotBase, botJsonTemplate: IBotType, botGenerationDetails: BotGenerationDetails): IBotBase; + /** + * Choose various appearance settings for a bot using weights + * @param bot Bot to adjust + * @param appearance Appearance settings to choose from + * @param botGenerationDetails Generation details + */ + protected setBotAppearance(bot: IBotBase, appearance: Appearance, botGenerationDetails: BotGenerationDetails): void; + /** + * Create a bot nickname + * @param botJsonTemplate x.json from database + * @param isPlayerScav Will bot be player scav + * @param botRole role of bot e.g. assault + * @returns Nickname for bot + */ + protected generateBotNickname(botJsonTemplate: IBotType, isPlayerScav: boolean, botRole: string, sessionId: string): string; + /** + * Log the number of PMCs generated to the debug console + * @param output Generated bot array, ready to send to client + */ + protected logPmcGeneratedCount(output: IBotBase[]): void; + /** + * Converts health object to the required format + * @param healthObj health object from bot json + * @param playerScav Is a pscav bot being generated + * @returns PmcHealth object + */ + protected generateHealth(healthObj: Health, playerScav?: boolean): PmcHealth; + /** + * Get a bots skills with randomsied progress value between the min and max values + * @param botSkills Skills that should have their progress value randomised + * @returns + */ + protected generateSkills(botSkills: IBaseJsonSkills): botSkills; + /** + * Randomise the progress value of passed in skills based on the min/max value + * @param skills Skills to randomise + * @param isCommonSkills Are the skills 'common' skills + * @returns Skills with randomised progress values as an array + */ + protected getSkillsWithRandomisedProgressValue(skills: Record, isCommonSkills: boolean): IBaseSkill[]; + /** + * Generate a random Id for a bot and apply to bots _id and aid value + * @param bot bot to update + * @returns updated IBotBase object + */ + protected generateId(bot: IBotBase): IBotBase; + protected generateInventoryID(profile: IBotBase): IBotBase; + /** + * Randomise a bots game version and account category + * Chooses from all the game versions (standard, eod etc) + * Chooses account type (default, Sherpa, etc) + * @param botInfo bot info object to update + */ + protected getRandomisedGameVersionAndCategory(botInfo: Info): void; + /** + * Add a side-specific (usec/bear) dogtag item to a bots inventory + * @param bot bot to add dogtag to + * @returns Bot with dogtag added + */ + protected generateDogtag(bot: IBotBase): IBotBase; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/BotInventoryGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/BotInventoryGenerator.d.ts new file mode 100644 index 0000000..cd3609f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/BotInventoryGenerator.d.ts @@ -0,0 +1,114 @@ +import { BotEquipmentModGenerator } from "@spt-aki/generators/BotEquipmentModGenerator"; +import { BotLootGenerator } from "@spt-aki/generators/BotLootGenerator"; +import { BotWeaponGenerator } from "@spt-aki/generators/BotWeaponGenerator"; +import { BotGeneratorHelper } from "@spt-aki/helpers/BotGeneratorHelper"; +import { BotHelper } from "@spt-aki/helpers/BotHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { WeightedRandomHelper } from "@spt-aki/helpers/WeightedRandomHelper"; +import { Inventory as PmcInventory } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { Chances, Generation, IBotType, Inventory, Mods } from "@spt-aki/models/eft/common/tables/IBotType"; +import { EquipmentSlots } from "@spt-aki/models/enums/EquipmentSlots"; +import { EquipmentFilterDetails, IBotConfig, RandomisationDetails } from "@spt-aki/models/spt/config/IBotConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { BotEquipmentModPoolService } from "@spt-aki/services/BotEquipmentModPoolService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class BotInventoryGenerator { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected randomUtil: RandomUtil; + protected databaseServer: DatabaseServer; + protected botWeaponGenerator: BotWeaponGenerator; + protected botLootGenerator: BotLootGenerator; + protected botGeneratorHelper: BotGeneratorHelper; + protected botHelper: BotHelper; + protected weightedRandomHelper: WeightedRandomHelper; + protected itemHelper: ItemHelper; + protected localisationService: LocalisationService; + protected botEquipmentModPoolService: BotEquipmentModPoolService; + protected botEquipmentModGenerator: BotEquipmentModGenerator; + protected configServer: ConfigServer; + protected botConfig: IBotConfig; + constructor(logger: ILogger, hashUtil: HashUtil, randomUtil: RandomUtil, databaseServer: DatabaseServer, botWeaponGenerator: BotWeaponGenerator, botLootGenerator: BotLootGenerator, botGeneratorHelper: BotGeneratorHelper, botHelper: BotHelper, weightedRandomHelper: WeightedRandomHelper, itemHelper: ItemHelper, localisationService: LocalisationService, botEquipmentModPoolService: BotEquipmentModPoolService, botEquipmentModGenerator: BotEquipmentModGenerator, configServer: ConfigServer); + /** + * Add equipment/weapons/loot to bot + * @param sessionId Session id + * @param botJsonTemplate Base json db file for the bot having its loot generated + * @param botRole Role bot has (assault/pmcBot) + * @param isPmc Is bot being converted into a pmc + * @param botLevel Level of bot being generated + * @returns PmcInventory object with equipment/weapons/loot + */ + generateInventory(sessionId: string, botJsonTemplate: IBotType, botRole: string, isPmc: boolean, botLevel: number): PmcInventory; + /** + * Create a pmcInventory object with all the base/generic items needed + * @returns PmcInventory object + */ + protected generateInventoryBase(): PmcInventory; + /** + * Add equipment to a bot + * @param templateInventory bot/x.json data from db + * @param equipmentChances Chances items will be added to bot + * @param botRole Role bot has (assault/pmcBot) + * @param botInventory Inventory to add equipment to + * @param botLevel Level of bot + */ + protected generateAndAddEquipmentToBot(templateInventory: Inventory, equipmentChances: Chances, botRole: string, botInventory: PmcInventory, botLevel: number): void; + /** + * Add a piece of equipment with mods to inventory from the provided pools + * @param equipmentSlot Slot to select an item for + * @param equipmentPool Possible items to choose from + * @param modPool Possible mods to apply to item chosen + * @param spawnChances Chances items will be chosen to be added + * @param botRole Role of bot e.g. assault + * @param inventory Inventory to add item into + * @param randomisationDetails settings from bot.json to adjust how item is generated + */ + protected generateEquipment(equipmentSlot: string, equipmentPool: Record, modPool: Mods, spawnChances: Chances, botRole: string, inventory: PmcInventory, randomisationDetails: RandomisationDetails): void; + /** + * Get all possible mods for item and filter down based on equipment blacklist from bot.json config + * @param itemTpl Item mod pool is being retreived and filtered + * @param equipmentBlacklist blacklist to filter mod pool with + * @returns Filtered pool of mods + */ + protected getFilteredDynamicModsForItem(itemTpl: string, equipmentBlacklist: EquipmentFilterDetails[]): Record; + /** + * Work out what weapons bot should have equipped and add them to bot inventory + * @param templateInventory bot/x.json data from db + * @param equipmentChances Chances bot can have equipment equipped + * @param sessionId Session id + * @param botInventory Inventory to add weapons to + * @param botRole assault/pmcBot/bossTagilla etc + * @param isPmc Is the bot being generated as a pmc + * @param botLevel level of bot having weapon generated + * @param itemGenerationLimitsMinMax Limits for items the bot can have + */ + protected generateAndAddWeaponsToBot(templateInventory: Inventory, equipmentChances: Chances, sessionId: string, botInventory: PmcInventory, botRole: string, isPmc: boolean, itemGenerationLimitsMinMax: Generation, botLevel: number): void; + /** + * Calculate if the bot should have weapons in Primary/Secondary/Holster slots + * @param equipmentChances Chances bot has certain equipment + * @returns What slots bot should have weapons generated for + */ + protected getDesiredWeaponsForBot(equipmentChances: Chances): { + slot: EquipmentSlots; + shouldSpawn: boolean; + }[]; + /** + * Add weapon + spare mags/ammo to bots inventory + * @param sessionId Session id + * @param weaponSlot Weapon slot being generated + * @param templateInventory bot/x.json data from db + * @param botInventory Inventory to add weapon+mags/ammo to + * @param equipmentChances Chances bot can have equipment equipped + * @param botRole assault/pmcBot/bossTagilla etc + * @param isPmc Is the bot being generated as a pmc + * @param itemGenerationWeights + */ + protected addWeaponAndMagazinesToInventory(sessionId: string, weaponSlot: { + slot: EquipmentSlots; + shouldSpawn: boolean; + }, templateInventory: Inventory, botInventory: PmcInventory, equipmentChances: Chances, botRole: string, isPmc: boolean, itemGenerationWeights: Generation, botLevel: number): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/BotLevelGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/BotLevelGenerator.d.ts new file mode 100644 index 0000000..c8b590f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/BotLevelGenerator.d.ts @@ -0,0 +1,29 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { IRandomisedBotLevelResult } from "@spt-aki/models/eft/bot/IRandomisedBotLevelResult"; +import { IExpTable } from "@spt-aki/models/eft/common/IGlobals"; +import { IBotBase } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { BotGenerationDetails } from "@spt-aki/models/spt/bots/BotGenerationDetails"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class BotLevelGenerator { + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected databaseServer: DatabaseServer; + constructor(logger: ILogger, randomUtil: RandomUtil, databaseServer: DatabaseServer); + /** + * Return a randomised bot level and exp value + * @param levelDetails min and max of level for bot + * @param botGenerationDetails Deatils to help generate a bot + * @param bot being level is being generated for + * @returns IRandomisedBotLevelResult object + */ + generateBotLevel(levelDetails: MinMax, botGenerationDetails: BotGenerationDetails, bot: IBotBase): IRandomisedBotLevelResult; + /** + * Get the highest level a bot can be relative to the players level, but no futher than the max size from globals.exp_table + * @param playerLevel Players current level + * @param relativeDeltaMax max delta above player level to go + * @returns highest level possible for bot + */ + protected getHighestRelativeBotLevel(playerLevel: number, relativeDeltaMax: number, levelDetails: MinMax, expTable: IExpTable[]): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/BotLootGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/BotLootGenerator.d.ts new file mode 100644 index 0000000..7a4c521 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/BotLootGenerator.d.ts @@ -0,0 +1,150 @@ +import { BotWeaponGenerator } from "@spt-aki/generators/BotWeaponGenerator"; +import { BotGeneratorHelper } from "@spt-aki/helpers/BotGeneratorHelper"; +import { BotWeaponGeneratorHelper } from "@spt-aki/helpers/BotWeaponGeneratorHelper"; +import { HandbookHelper } from "@spt-aki/helpers/HandbookHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { WeightedRandomHelper } from "@spt-aki/helpers/WeightedRandomHelper"; +import { Inventory as PmcInventory } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { IBotType, Inventory, ModsChances } from "@spt-aki/models/eft/common/tables/IBotType"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { EquipmentSlots } from "@spt-aki/models/enums/EquipmentSlots"; +import { IBotConfig } from "@spt-aki/models/spt/config/IBotConfig"; +import { IPmcConfig } from "@spt-aki/models/spt/config/IPmcConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { BotLootCacheService } from "@spt-aki/services/BotLootCacheService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class BotLootGenerator { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected randomUtil: RandomUtil; + protected itemHelper: ItemHelper; + protected databaseServer: DatabaseServer; + protected handbookHelper: HandbookHelper; + protected botGeneratorHelper: BotGeneratorHelper; + protected botWeaponGenerator: BotWeaponGenerator; + protected botWeaponGeneratorHelper: BotWeaponGeneratorHelper; + protected weightedRandomHelper: WeightedRandomHelper; + protected botLootCacheService: BotLootCacheService; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected botConfig: IBotConfig; + protected pmcConfig: IPmcConfig; + constructor(logger: ILogger, hashUtil: HashUtil, randomUtil: RandomUtil, itemHelper: ItemHelper, databaseServer: DatabaseServer, handbookHelper: HandbookHelper, botGeneratorHelper: BotGeneratorHelper, botWeaponGenerator: BotWeaponGenerator, botWeaponGeneratorHelper: BotWeaponGeneratorHelper, weightedRandomHelper: WeightedRandomHelper, botLootCacheService: BotLootCacheService, localisationService: LocalisationService, configServer: ConfigServer); + /** + * Add loot to bots containers + * @param sessionId Session id + * @param botJsonTemplate Base json db file for the bot having its loot generated + * @param isPmc Will bot be a pmc + * @param botRole Role of bot, e.g. asssult + * @param botInventory Inventory to add loot to + * @param botLevel Level of bot + */ + generateLoot(sessionId: string, botJsonTemplate: IBotType, isPmc: boolean, botRole: string, botInventory: PmcInventory, botLevel: number): void; + /** + * Get an array of the containers a bot has on them (pockets/backpack/vest) + * @param botInventory Bot to check + * @returns Array of available slots + */ + protected getAvailableContainersBotCanStoreItemsIn(botInventory: PmcInventory): EquipmentSlots[]; + /** + * Force healing items onto bot to ensure they can heal in-raid + * @param botInventory Inventory to add items to + * @param botRole Role of bot (sptBear/sptUsec) + */ + protected addForcedMedicalItemsToPmcSecure(botInventory: PmcInventory, botRole: string): void; + /** + * Get a biased random number + * @param min Smallest size + * @param max Biggest size + * @param nValue Value to bias choice + * @returns Chosen number + */ + protected getRandomisedCount(min: number, max: number, nValue: number): number; + /** + * Take random items from a pool and add to an inventory until totalItemCount or totalValueLimit is reached + * @param pool Pool of items to pick from + * @param equipmentSlots What equipment slot will the loot items be added to + * @param totalItemCount Max count of items to add + * @param inventoryToAddItemsTo Bot inventory loot will be added to + * @param botRole Role of the bot loot is being generated for (assault/pmcbot) + * @param useLimits Should item limit counts be used as defined in config/bot.json + * @param totalValueLimitRub Total value of loot allowed in roubles + * @param isPmc Is bot being generated for a pmc + */ + protected addLootFromPool(pool: ITemplateItem[], equipmentSlots: string[], totalItemCount: number, inventoryToAddItemsTo: PmcInventory, botRole: string, useLimits?: boolean, totalValueLimitRub?: number, isPmc?: boolean): void; + /** + * Add generated weapons to inventory as loot + * @param botInventory inventory to add preset to + * @param equipmentSlot slot to place the preset in (backpack) + * @param templateInventory bots template, assault.json + * @param modChances chances for mods to spawn on weapon + * @param botRole bots role .e.g. pmcBot + * @param isPmc are we generating for a pmc + */ + protected addLooseWeaponsToInventorySlot(sessionId: string, botInventory: PmcInventory, equipmentSlot: string, templateInventory: Inventory, modChances: ModsChances, botRole: string, isPmc: boolean, botLevel: number): void; + /** + * Get a random item from the pool parameter using the biasedRandomNumber system + * @param pool Pool of items to pick an item from + * @param isPmc Is the bot being created a pmc + * @returns ITemplateItem object + */ + protected getRandomItemFromPoolByRole(pool: ITemplateItem[], botRole: string): ITemplateItem; + /** + * Get the loot nvalue from botconfig + * @param botRole Role of bot e.g. assault/bosstagilla/sptBear + * @returns nvalue as number + */ + protected getBotLootNValueByRole(botRole: string): number; + /** + * Hydrate item limit array to contain items that have a limit for a specific bot type + * All values are set to 0 + * @param isPmc Is the bot a pmc + * @param botRole Role the bot has + * @param limitCount + */ + protected initItemLimitArray(isPmc: boolean, botRole: string, limitCount: Record): void; + /** + * Check if an item has reached its bot-specific spawn limit + * @param itemTemplate Item we check to see if its reached spawn limit + * @param botRole Bot type + * @param isPmc Is bot we're working with a pmc + * @param limitCount Spawn limits for items on bot + * @param itemSpawnLimits The limits this bot is allowed to have + * @returns true if item has reached spawn limit + */ + protected itemHasReachedSpawnLimit(itemTemplate: ITemplateItem, botRole: string, isPmc: boolean, limitCount: Record, itemSpawnLimits: Record): boolean; + /** + * Randomise the stack size of a money object, uses different values for pmc or scavs + * @param isPmc Is money on a PMC bot + * @param itemTemplate item details from db + * @param moneyItem Money item to randomise + */ + protected randomiseMoneyStackSize(isPmc: boolean, itemTemplate: ITemplateItem, moneyItem: Item): void; + /** + * Randomise the size of an ammo stack + * @param isPmc Is ammo on a PMC bot + * @param itemTemplate item details from db + * @param ammoItem Ammo item to randomise + */ + protected randomiseAmmoStackSize(isPmc: boolean, itemTemplate: ITemplateItem, ammoItem: Item): void; + /** + * Get spawn limits for a specific bot type from bot.json config + * If no limit found for a non pmc bot, fall back to defaults + * @param isPmc is the bot we want limits for a pmc + * @param botRole what role does the bot have + * @returns Dictionary of tplIds and limit + */ + protected getItemSpawnLimitsForBotType(isPmc: boolean, botRole: string): Record; + /** + * Get the parentId or tplId of item inside spawnLimits object if it exists + * @param itemTemplate item we want to look for in spawn limits + * @param spawnLimits Limits to check for item + * @returns id as string, otherwise undefined + */ + protected getMatchingIdFromSpawnLimits(itemTemplate: ITemplateItem, spawnLimits: Record): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/BotWeaponGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/BotWeaponGenerator.d.ts new file mode 100644 index 0000000..125b43f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/BotWeaponGenerator.d.ts @@ -0,0 +1,184 @@ +import { BotEquipmentModGenerator } from "@spt-aki/generators/BotEquipmentModGenerator"; +import { IInventoryMagGen } from "@spt-aki/generators/weapongen/IInventoryMagGen"; +import { BotGeneratorHelper } from "@spt-aki/helpers/BotGeneratorHelper"; +import { BotWeaponGeneratorHelper } from "@spt-aki/helpers/BotWeaponGeneratorHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { WeightedRandomHelper } from "@spt-aki/helpers/WeightedRandomHelper"; +import { Inventory as PmcInventory } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { GenerationData, Inventory, ModsChances } from "@spt-aki/models/eft/common/tables/IBotType"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { GenerateWeaponResult } from "@spt-aki/models/spt/bots/GenerateWeaponResult"; +import { IBotConfig } from "@spt-aki/models/spt/config/IBotConfig"; +import { IPmcConfig } from "@spt-aki/models/spt/config/IPmcConfig"; +import { IRepairConfig } from "@spt-aki/models/spt/config/IRepairConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { BotWeaponModLimitService } from "@spt-aki/services/BotWeaponModLimitService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { RepairService } from "@spt-aki/services/RepairService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class BotWeaponGenerator { + protected jsonUtil: JsonUtil; + protected logger: ILogger; + protected hashUtil: HashUtil; + protected databaseServer: DatabaseServer; + protected itemHelper: ItemHelper; + protected weightedRandomHelper: WeightedRandomHelper; + protected botGeneratorHelper: BotGeneratorHelper; + protected randomUtil: RandomUtil; + protected configServer: ConfigServer; + protected botWeaponGeneratorHelper: BotWeaponGeneratorHelper; + protected botWeaponModLimitService: BotWeaponModLimitService; + protected botEquipmentModGenerator: BotEquipmentModGenerator; + protected localisationService: LocalisationService; + protected repairService: RepairService; + protected inventoryMagGenComponents: IInventoryMagGen[]; + protected readonly modMagazineSlotId = "mod_magazine"; + protected botConfig: IBotConfig; + protected pmcConfig: IPmcConfig; + protected repairConfig: IRepairConfig; + constructor(jsonUtil: JsonUtil, logger: ILogger, hashUtil: HashUtil, databaseServer: DatabaseServer, itemHelper: ItemHelper, weightedRandomHelper: WeightedRandomHelper, botGeneratorHelper: BotGeneratorHelper, randomUtil: RandomUtil, configServer: ConfigServer, botWeaponGeneratorHelper: BotWeaponGeneratorHelper, botWeaponModLimitService: BotWeaponModLimitService, botEquipmentModGenerator: BotEquipmentModGenerator, localisationService: LocalisationService, repairService: RepairService, inventoryMagGenComponents: IInventoryMagGen[]); + /** + * Pick a random weapon based on weightings and generate a functional weapon + * @param equipmentSlot Primary/secondary/holster + * @param botTemplateInventory e.g. assault.json + * @param weaponParentId + * @param modChances + * @param botRole role of bot, e.g. assault/followerBully + * @param isPmc Is weapon generated for a pmc + * @returns GenerateWeaponResult object + */ + generateRandomWeapon(sessionId: string, equipmentSlot: string, botTemplateInventory: Inventory, weaponParentId: string, modChances: ModsChances, botRole: string, isPmc: boolean, botLevel: number): GenerateWeaponResult; + /** + * Get a random weighted weapon from a bots pool of weapons + * @param equipmentSlot Primary/secondary/holster + * @param botTemplateInventory e.g. assault.json + * @returns weapon tpl + */ + pickWeightedWeaponTplFromPool(equipmentSlot: string, botTemplateInventory: Inventory): string; + /** + * Generated a weapon based on the supplied weapon tpl + * @param weaponTpl weapon tpl to generate (use pickWeightedWeaponTplFromPool()) + * @param equipmentSlot slot to fit into, primary/secondary/holster + * @param botTemplateInventory e.g. assault.json + * @param weaponParentId ParentId of the weapon being generated + * @param modChances Dictionary of item types and % chance weapon will have that mod + * @param botRole e.g. assault/exusec + * @param isPmc Is weapon being generated for a pmc + * @returns GenerateWeaponResult object + */ + generateWeaponByTpl(sessionId: string, weaponTpl: string, equipmentSlot: string, botTemplateInventory: Inventory, weaponParentId: string, modChances: ModsChances, botRole: string, isPmc: boolean, botLevel: number): GenerateWeaponResult; + /** + * Insert a cartridge(s) into a weapon + * Handles all chambers - patron_in_weapon, patron_in_weapon_000 etc + * @param weaponWithModsArray Weapon and mods + * @param ammoTpl Cartridge to add to weapon + * @param chamberSlotIds name of slots to create or add ammo to + */ + protected addCartridgeToChamber(weaponWithModsArray: Item[], ammoTpl: string, chamberSlotIds: string[]): void; + /** + * Create array with weapon base as only element and + * add additional properties based on weapon type + * @param weaponTpl Weapon tpl to create item with + * @param weaponParentId Weapons parent id + * @param equipmentSlot e.g. primary/secondary/holster + * @param weaponItemTemplate db template for weapon + * @param botRole for durability values + * @returns Base weapon item in array + */ + protected constructWeaponBaseArray(weaponTpl: string, weaponParentId: string, equipmentSlot: string, weaponItemTemplate: ITemplateItem, botRole: string): Item[]; + /** + * Get the mods necessary to kit out a weapon to its preset level + * @param weaponTpl weapon to find preset for + * @param equipmentSlot the slot the weapon will be placed in + * @param weaponParentId Value used for the parentid + * @returns array of weapon mods + */ + protected getPresetWeaponMods(weaponTpl: string, equipmentSlot: string, weaponParentId: string, itemTemplate: ITemplateItem, botRole: string): Item[]; + /** + * Checks if all required slots are occupied on a weapon and all it's mods + * @param weaponItemArray Weapon + mods + * @param botRole role of bot weapon is for + * @returns true if valid + */ + protected isWeaponValid(weaponItemArray: Item[], botRole: string): boolean; + /** + * Generates extra magazines or bullets (if magazine is internal) and adds them to TacticalVest and Pockets. + * Additionally, adds extra bullets to SecuredContainer + * @param generatedWeaponResult object with properties for generated weapon (weapon mods pool / weapon template / ammo tpl) + * @param magWeights Magazine weights for count to add to inventory + * @param inventory Inventory to add magazines to + * @param botRole The bot type we're getting generating extra mags for + */ + addExtraMagazinesToInventory(generatedWeaponResult: GenerateWeaponResult, magWeights: GenerationData, inventory: PmcInventory, botRole: string): void; + /** + * Add Grendaes for UBGL to bots vest and secure container + * @param weaponMods Weapon array with mods + * @param generatedWeaponResult result of weapon generation + * @param inventory bot inventory to add grenades to + */ + protected addUbglGrenadesToBotInventory(weaponMods: Item[], generatedWeaponResult: GenerateWeaponResult, inventory: PmcInventory): void; + /** + * Add ammo to the secure container + * @param stackCount How many stacks of ammo to add + * @param ammoTpl Ammo type to add + * @param stackSize Size of the ammo stack to add + * @param inventory Player inventory + */ + protected addAmmoToSecureContainer(stackCount: number, ammoTpl: string, stackSize: number, inventory: PmcInventory): void; + /** + * Get a weapons magazine tpl from a weapon template + * @param weaponMods mods from a weapon template + * @param weaponTemplate Weapon to get magazine tpl for + * @param botRole the bot type we are getting the magazine for + * @returns magazine tpl string + */ + protected getMagazineTplFromWeaponTemplate(weaponMods: Item[], weaponTemplate: ITemplateItem, botRole: string): string; + /** + * Finds and return a compatible ammo tpl based on the bots ammo weightings (x.json/inventory/equipment/ammo) + * @param ammo a list of ammo tpls the weapon can use + * @param weaponTemplate the weapon we want to pick ammo for + * @returns an ammo tpl that works with the desired gun + */ + protected getWeightedCompatibleAmmo(ammo: Record>, weaponTemplate: ITemplateItem): string; + /** + * Get a weapons compatible cartridge caliber + * @param weaponTemplate Weapon to look up caliber of + * @returns caliber as string + */ + protected getWeaponCaliber(weaponTemplate: ITemplateItem): string; + /** + * Fill existing magazines to full, while replacing their contents with specified ammo + * @param weaponMods Weapon with children + * @param magazine Magazine item + * @param cartridgeTpl Cartridge to insert into magazine + */ + protected fillExistingMagazines(weaponMods: Item[], magazine: Item, cartridgeTpl: string): void; + /** + * Add desired ammo tpl as item to weaponmods array, placed as child to UBGL + * @param weaponMods Weapon with children + * @param ubglMod UBGL item + * @param ubglAmmoTpl Grenade ammo tpl + */ + protected fillUbgl(weaponMods: Item[], ubglMod: Item, ubglAmmoTpl: string): void; + /** + * Add cartridge item to weapon Item array, if it already exists, update + * @param weaponWithMods Weapon items array to amend + * @param magazine magazine item details we're adding cartridges to + * @param chosenAmmoTpl cartridge to put into the magazine + * @param newStackSize how many cartridges should go into the magazine + * @param magazineTemplate magazines db template + */ + protected addOrUpdateMagazinesChildWithAmmo(weaponWithMods: Item[], magazine: Item, chosenAmmoTpl: string, magazineTemplate: ITemplateItem): void; + /** + * Fill each Camora with a bullet + * @param weaponMods Weapon mods to find and update camora mod(s) from + * @param magazineId magazine id to find and add to + * @param ammoTpl ammo template id to hydate with + */ + protected fillCamorasWithAmmo(weaponMods: Item[], magazineId: string, ammoTpl: string): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/FenceBaseAssortGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/FenceBaseAssortGenerator.d.ts new file mode 100644 index 0000000..5eab03e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/FenceBaseAssortGenerator.d.ts @@ -0,0 +1,30 @@ +import { HandbookHelper } from "@spt-aki/helpers/HandbookHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { ITraderConfig } from "@spt-aki/models/spt/config/ITraderConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { ItemFilterService } from "@spt-aki/services/ItemFilterService"; +import { SeasonalEventService } from "@spt-aki/services/SeasonalEventService"; +export declare class FenceBaseAssortGenerator { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected handbookHelper: HandbookHelper; + protected itemHelper: ItemHelper; + protected itemFilterService: ItemFilterService; + protected seasonalEventService: SeasonalEventService; + protected configServer: ConfigServer; + protected traderConfig: ITraderConfig; + constructor(logger: ILogger, databaseServer: DatabaseServer, handbookHelper: HandbookHelper, itemHelper: ItemHelper, itemFilterService: ItemFilterService, seasonalEventService: SeasonalEventService, configServer: ConfigServer); + /** + * Create base fence assorts dynamically and store in db + */ + generateFenceBaseAssorts(): void; + /** + * Check if item is valid for being added to fence assorts + * @param item Item to check + * @returns true if valid fence item + */ + protected isValidFenceItem(item: ITemplateItem): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/LocationGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/LocationGenerator.d.ts new file mode 100644 index 0000000..1305af1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/LocationGenerator.d.ts @@ -0,0 +1,151 @@ +import { ContainerHelper } from "@spt-aki/helpers/ContainerHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { PresetHelper } from "@spt-aki/helpers/PresetHelper"; +import { RagfairServerHelper } from "@spt-aki/helpers/RagfairServerHelper"; +import { IContainerMinMax, IStaticContainer } from "@spt-aki/models/eft/common/ILocation"; +import { ILocationBase } from "@spt-aki/models/eft/common/ILocationBase"; +import { ILooseLoot, Spawnpoint, SpawnpointTemplate, SpawnpointsForced } from "@spt-aki/models/eft/common/ILooseLoot"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { IStaticAmmoDetails, IStaticContainerData, IStaticForcedProps, IStaticLootDetails } from "@spt-aki/models/eft/common/tables/ILootBase"; +import { ILocationConfig } from "@spt-aki/models/spt/config/ILocationConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { SeasonalEventService } from "@spt-aki/services/SeasonalEventService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { MathUtil } from "@spt-aki/utils/MathUtil"; +import { ObjectId } from "@spt-aki/utils/ObjectId"; +import { ProbabilityObjectArray, RandomUtil } from "@spt-aki/utils/RandomUtil"; +export interface IContainerItem { + items: Item[]; + width: number; + height: number; +} +export interface IContainerGroupCount { + /** Containers this group has + probabilty to spawn */ + containerIdsWithProbability: Record; + /** How many containers the map should spawn with this group id */ + chosenCount: number; +} +export declare class LocationGenerator { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected jsonUtil: JsonUtil; + protected objectId: ObjectId; + protected randomUtil: RandomUtil; + protected ragfairServerHelper: RagfairServerHelper; + protected itemHelper: ItemHelper; + protected mathUtil: MathUtil; + protected seasonalEventService: SeasonalEventService; + protected containerHelper: ContainerHelper; + protected presetHelper: PresetHelper; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected locationConfig: ILocationConfig; + constructor(logger: ILogger, databaseServer: DatabaseServer, jsonUtil: JsonUtil, objectId: ObjectId, randomUtil: RandomUtil, ragfairServerHelper: RagfairServerHelper, itemHelper: ItemHelper, mathUtil: MathUtil, seasonalEventService: SeasonalEventService, containerHelper: ContainerHelper, presetHelper: PresetHelper, localisationService: LocalisationService, configServer: ConfigServer); + /** + * Create an array of container objects with randomised loot + * @param locationBase Map base to generate containers for + * @param staticAmmoDist Static ammo distribution - database.loot.staticAmmo + * @returns Array of container objects + */ + generateStaticContainers(locationBase: ILocationBase, staticAmmoDist: Record): SpawnpointTemplate[]; + /** + * Get containers with a non-100% chance to spawn OR are NOT on the container type randomistion blacklist + * @param staticContainers + * @returns IStaticContainerData array + */ + protected getRandomisableContainersOnMap(staticContainers: IStaticContainerData[]): IStaticContainerData[]; + /** + * Get containers with 100% spawn rate or have a type on the randomistion ignore list + * @param staticContainersOnMap + * @returns IStaticContainerData array + */ + protected getGuaranteedContainers(staticContainersOnMap: IStaticContainerData[]): IStaticContainerData[]; + /** + * Choose a number of containers based on their probabilty value to fulfil the desired count in containerData.chosenCount + * @param groupId Name of the group the containers are being collected for + * @param containerData Containers and probability values for a groupId + * @returns List of chosen container Ids + */ + protected getContainersByProbabilty(groupId: string, containerData: IContainerGroupCount): string[]; + /** + * Get a mapping of each groupid and the containers in that group + count of containers to spawn on map + * @param containersGroups Container group values + * @returns dictionary keyed by groupId + */ + protected getGroupIdToContainerMappings(staticContainerGroupData: IStaticContainer | Record, staticContainersOnMap: IStaticContainerData[]): Record; + /** + * Choose loot to put into a static container based on weighting + * Handle forced items + seasonal item removal when not in season + * @param staticContainer The container itself we will add loot to + * @param staticForced Loot we need to force into the container + * @param staticLootDist staticLoot.json + * @param staticAmmoDist staticAmmo.json + * @param locationName Name of the map to generate static loot for + * @returns IStaticContainerProps + */ + protected addLootToContainer(staticContainer: IStaticContainerData, staticForced: IStaticForcedProps[], staticLootDist: Record, staticAmmoDist: Record, locationName: string): IStaticContainerData; + /** + * Get a 2d grid of a containers item slots + * @param containerTpl Tpl id of the container + * @returns number[][] + */ + protected getContainerMapping(containerTpl: string): number[][]; + /** + * Look up a containers itemcountDistribution data and choose an item count based on the found weights + * @param containerTypeId Container to get item count for + * @param staticLootDist staticLoot.json + * @param locationName Map name (to get per-map multiplier for from config) + * @returns item count + */ + protected getWeightedCountOfContainerItems(containerTypeId: string, staticLootDist: Record, locationName: string): number; + /** + * Get all possible loot items that can be placed into a container + * Do not add seasonal items if found + current date is inside seasonal event + * @param containerTypeId Contianer to get possible loot for + * @param staticLootDist staticLoot.json + * @returns ProbabilityObjectArray of item tpls + probabilty + */ + protected getPossibleLootItemsForContainer(containerTypeId: string, staticLootDist: Record): ProbabilityObjectArray; + protected getLooseLootMultiplerForLocation(location: string): number; + protected getStaticLootMultiplerForLocation(location: string): number; + /** + * Create array of loose + forced loot using probability system + * @param dynamicLootDist + * @param staticAmmoDist + * @param locationName Location to generate loot for + * @returns Array of spawn points with loot in them + */ + generateDynamicLoot(dynamicLootDist: ILooseLoot, staticAmmoDist: Record, locationName: string): SpawnpointTemplate[]; + /** + * Add forced spawn point loot into loot parameter array + * @param lootLocationTemplates array to add forced loot spawn locations to + * @param forcedSpawnPoints forced Forced loot locations that must be added + * @param locationName Name of map currently having force loot created for + */ + protected addForcedLoot(lootLocationTemplates: SpawnpointTemplate[], forcedSpawnPoints: SpawnpointsForced[], locationName: string): void; + /** + * Create array of item (with child items) and return + * @param chosenComposedKey Key we want to look up items for + * @param spawnPoint Dynamic spawn point item we want will be placed in + * @param staticAmmoDist ammo distributions + * @returns IContainerItem + */ + protected createDynamicLootItem(chosenComposedKey: string, spawnPoint: Spawnpoint, staticAmmoDist: Record): IContainerItem; + /** + * Replace the _id value for base item + all children items parentid value + * @param itemWithChildren Item with mods to update + * @param newId new id to add on chidren of base item + */ + protected reparentItemAndChildren(itemWithChildren: Item[], newId?: string): void; + /** + * Find an item in array by its _tpl, handle differently if chosenTpl is a weapon + * @param items Items array to search + * @param chosenTpl Tpl we want to get item with + * @returns Item object + */ + protected getItemInArray(items: Item[], chosenTpl: string): Item; + protected createStaticLootItem(tpl: string, staticAmmoDist: Record, parentId?: string): IContainerItem; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/LootGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/LootGenerator.d.ts new file mode 100644 index 0000000..d8e816c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/LootGenerator.d.ts @@ -0,0 +1,113 @@ +import { InventoryHelper } from "@spt-aki/helpers/InventoryHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { PresetHelper } from "@spt-aki/helpers/PresetHelper"; +import { WeightedRandomHelper } from "@spt-aki/helpers/WeightedRandomHelper"; +import { IPreset } from "@spt-aki/models/eft/common/IGlobals"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { AddItem } from "@spt-aki/models/eft/inventory/IAddItemRequestData"; +import { ISealedAirdropContainerSettings, RewardDetails } from "@spt-aki/models/spt/config/IInventoryConfig"; +import { LootItem } from "@spt-aki/models/spt/services/LootItem"; +import { LootRequest } from "@spt-aki/models/spt/services/LootRequest"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { ItemFilterService } from "@spt-aki/services/ItemFilterService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { RagfairLinkedItemService } from "@spt-aki/services/RagfairLinkedItemService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +type ItemLimit = { + current: number; + max: number; +}; +export declare class LootGenerator { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected databaseServer: DatabaseServer; + protected randomUtil: RandomUtil; + protected itemHelper: ItemHelper; + protected presetHelper: PresetHelper; + protected inventoryHelper: InventoryHelper; + protected weightedRandomHelper: WeightedRandomHelper; + protected localisationService: LocalisationService; + protected ragfairLinkedItemService: RagfairLinkedItemService; + protected itemFilterService: ItemFilterService; + constructor(logger: ILogger, hashUtil: HashUtil, databaseServer: DatabaseServer, randomUtil: RandomUtil, itemHelper: ItemHelper, presetHelper: PresetHelper, inventoryHelper: InventoryHelper, weightedRandomHelper: WeightedRandomHelper, localisationService: LocalisationService, ragfairLinkedItemService: RagfairLinkedItemService, itemFilterService: ItemFilterService); + /** + * Generate a list of items based on configuration options parameter + * @param options parameters to adjust how loot is generated + * @returns An array of loot items + */ + createRandomLoot(options: LootRequest): LootItem[]; + /** + * Construct item limit record to hold max and current item count for each item type + * @param limits limits as defined in config + * @returns record, key: item tplId, value: current/max item count allowed + */ + protected initItemLimitCounter(limits: Record): Record; + /** + * Find a random item in items.json and add to result array + * @param items items to choose from + * @param itemTypeCounts item limit counts + * @param options item filters + * @param result array to add found item to + * @returns true if item was valid and added to pool + */ + protected findAndAddRandomItemToLoot(items: [string, ITemplateItem][], itemTypeCounts: Record, options: LootRequest, result: LootItem[]): boolean; + /** + * Get a randomised stack count for an item between its StackMinRandom and StackMaxSize values + * @param item item to get stack count of + * @param options loot options + * @returns stack count + */ + protected getRandomisedStackCount(item: ITemplateItem, options: LootRequest): number; + /** + * Find a random item in items.json and add to result array + * @param globalDefaultPresets presets to choose from + * @param itemTypeCounts item limit counts + * @param itemBlacklist items to skip + * @param result array to add found preset to + * @returns true if preset was valid and added to pool + */ + protected findAndAddRandomPresetToLoot(globalDefaultPresets: [string, IPreset][], itemTypeCounts: Record, itemBlacklist: string[], result: LootItem[]): boolean; + /** + * Sealed weapon containers have a weapon + associated mods inside them + assortment of other things (food/meds) + * @param containerSettings sealed weapon container settings + * @returns Array of items to add to player inventory + */ + getSealedWeaponCaseLoot(containerSettings: ISealedAirdropContainerSettings): AddItem[]; + /** + * Get non-weapon mod rewards for a sealed container + * @param containerSettings Sealed weapon container settings + * @param weaponDetailsDb Details for the weapon to reward player + * @returns AddItem array + */ + protected getSealedContainerNonWeaponModRewards(containerSettings: ISealedAirdropContainerSettings, weaponDetailsDb: ITemplateItem): AddItem[]; + /** + * Iterate over the container weaponModRewardLimits settings and create an array of weapon mods to reward player + * @param containerSettings Sealed weapon container settings + * @param linkedItemsToWeapon All items that can be attached/inserted into weapon + * @param chosenWeaponPreset The weapon preset given to player as reward + * @returns AddItem array + */ + protected getSealedContainerWeaponModRewards(containerSettings: ISealedAirdropContainerSettings, linkedItemsToWeapon: ITemplateItem[], chosenWeaponPreset: IPreset): AddItem[]; + /** + * Handle event-related loot containers - currently just the halloween jack-o-lanterns that give food rewards + * @param rewardContainerDetails + * @returns AddItem array + */ + getRandomLootContainerLoot(rewardContainerDetails: RewardDetails): AddItem[]; + /** + * A bug in inventoryHelper.addItem() means you cannot add the same item to the array twice with a count of 1, it causes duplication + * Default adds 1, or increments count + * @param itemTplToAdd items tpl we want to add to array + * @param resultsArray Array to add item tpl to + */ + protected addOrIncrementItemToArray(itemTplToAdd: string, resultsArray: AddItem[]): void; +} +export {}; diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/PMCLootGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/PMCLootGenerator.d.ts new file mode 100644 index 0000000..251bde2 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/PMCLootGenerator.d.ts @@ -0,0 +1,45 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { IPmcConfig } from "@spt-aki/models/spt/config/IPmcConfig"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { ItemFilterService } from "@spt-aki/services/ItemFilterService"; +import { SeasonalEventService } from "@spt-aki/services/SeasonalEventService"; +/** + * Handle the generation of dynamic PMC loot in pockets and backpacks + * and the removal of blacklisted items + */ +export declare class PMCLootGenerator { + protected itemHelper: ItemHelper; + protected databaseServer: DatabaseServer; + protected configServer: ConfigServer; + protected itemFilterService: ItemFilterService; + protected seasonalEventService: SeasonalEventService; + protected pocketLootPool: string[]; + protected vestLootPool: string[]; + protected backpackLootPool: string[]; + protected pmcConfig: IPmcConfig; + constructor(itemHelper: ItemHelper, databaseServer: DatabaseServer, configServer: ConfigServer, itemFilterService: ItemFilterService, seasonalEventService: SeasonalEventService); + /** + * Create an array of loot items a PMC can have in their pockets + * @returns string array of tpls + */ + generatePMCPocketLootPool(): string[]; + /** + * Create an array of loot items a PMC can have in their vests + * @returns string array of tpls + */ + generatePMCVestLootPool(): string[]; + /** + * Check if item has a width/height that lets it fit into a 2x2 slot + * 1x1 / 1x2 / 2x1 / 2x2 + * @param item Item to check size of + * @returns true if it fits + */ + protected itemFitsInto2By2Slot(item: ITemplateItem): boolean; + /** + * Create an array of loot items a PMC can have in their backpack + * @returns string array of tpls + */ + generatePMCBackpackLootPool(): string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/PlayerScavGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/PlayerScavGenerator.d.ts new file mode 100644 index 0000000..feea27f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/PlayerScavGenerator.d.ts @@ -0,0 +1,79 @@ +import { BotGenerator } from "@spt-aki/generators/BotGenerator"; +import { BotGeneratorHelper } from "@spt-aki/helpers/BotGeneratorHelper"; +import { BotHelper } from "@spt-aki/helpers/BotHelper"; +import { BotWeaponGeneratorHelper } from "@spt-aki/helpers/BotWeaponGeneratorHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Skills, Stats } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { IBotType } from "@spt-aki/models/eft/common/tables/IBotType"; +import { IPlayerScavConfig, KarmaLevel } from "@spt-aki/models/spt/config/IPlayerScavConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { BotLootCacheService } from "@spt-aki/services/BotLootCacheService"; +import { FenceService } from "@spt-aki/services/FenceService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class PlayerScavGenerator { + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected databaseServer: DatabaseServer; + protected hashUtil: HashUtil; + protected itemHelper: ItemHelper; + protected botWeaponGeneratorHelper: BotWeaponGeneratorHelper; + protected botGeneratorHelper: BotGeneratorHelper; + protected saveServer: SaveServer; + protected profileHelper: ProfileHelper; + protected botHelper: BotHelper; + protected jsonUtil: JsonUtil; + protected fenceService: FenceService; + protected botLootCacheService: BotLootCacheService; + protected localisationService: LocalisationService; + protected botGenerator: BotGenerator; + protected configServer: ConfigServer; + protected playerScavConfig: IPlayerScavConfig; + constructor(logger: ILogger, randomUtil: RandomUtil, databaseServer: DatabaseServer, hashUtil: HashUtil, itemHelper: ItemHelper, botWeaponGeneratorHelper: BotWeaponGeneratorHelper, botGeneratorHelper: BotGeneratorHelper, saveServer: SaveServer, profileHelper: ProfileHelper, botHelper: BotHelper, jsonUtil: JsonUtil, fenceService: FenceService, botLootCacheService: BotLootCacheService, localisationService: LocalisationService, botGenerator: BotGenerator, configServer: ConfigServer); + /** + * Update a player profile to include a new player scav profile + * @param sessionID session id to specify what profile is updated + * @returns profile object + */ + generate(sessionID: string): IPmcData; + /** + * Get the scav karama level for a profile + * Is also the fence trader rep level + * @param pmcData pmc profile + * @returns karma level + */ + protected getScavKarmaLevel(pmcData: IPmcData): number; + /** + * Get a baseBot template + * If the parameter doesnt match "assault", take parts from the loot type and apply to the return bot template + * @param botTypeForLoot bot type to use for inventory/chances + * @returns IBotType object + */ + protected constructBotBaseTemplate(botTypeForLoot: string): IBotType; + /** + * Adjust equipment/mod/item generation values based on scav karma levels + * @param karmaSettings Values to modify the bot template with + * @param baseBotNode bot template to modify according to karama level settings + */ + protected adjustBotTemplateWithKarmaSpecificSettings(karmaSettings: KarmaLevel, baseBotNode: IBotType): void; + protected getScavSkills(scavProfile: IPmcData): Skills; + protected getDefaultScavSkills(): Skills; + protected getScavStats(scavProfile: IPmcData): Stats; + protected getScavLevel(scavProfile: IPmcData): number; + protected getScavExperience(scavProfile: IPmcData): number; + /** + * Set cooldown till pscav is playable + * take into account scav cooldown bonus + * @param scavData scav profile + * @param pmcData pmc profile + * @returns + */ + protected setScavCooldownTimer(scavData: IPmcData, pmcData: IPmcData): IPmcData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/RagfairAssortGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/RagfairAssortGenerator.d.ts new file mode 100644 index 0000000..26acae2 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/RagfairAssortGenerator.d.ts @@ -0,0 +1,52 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { IPreset } from "@spt-aki/models/eft/common/IGlobals"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { IRagfairConfig } from "@spt-aki/models/spt/config/IRagfairConfig"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SeasonalEventService } from "@spt-aki/services/SeasonalEventService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class RagfairAssortGenerator { + protected jsonUtil: JsonUtil; + protected hashUtil: HashUtil; + protected itemHelper: ItemHelper; + protected databaseServer: DatabaseServer; + protected seasonalEventService: SeasonalEventService; + protected configServer: ConfigServer; + protected generatedAssortItems: Item[]; + protected ragfairConfig: IRagfairConfig; + constructor(jsonUtil: JsonUtil, hashUtil: HashUtil, itemHelper: ItemHelper, databaseServer: DatabaseServer, seasonalEventService: SeasonalEventService, configServer: ConfigServer); + /** + * Get an array of unique items that can be sold on the flea + * @returns array of unique items + */ + getAssortItems(): Item[]; + /** + * Check internal generatedAssortItems array has objects + * @returns true if array has objects + */ + protected assortsAreGenerated(): boolean; + /** + * Generate an array of items the flea can sell + * @returns array of unique items + */ + protected generateRagfairAssortItems(): Item[]; + /** + * Get presets from globals.json + * @returns Preset object array + */ + protected getPresets(): IPreset[]; + /** + * Get default presets from globals.json + * @returns Preset object array + */ + protected getDefaultPresets(): IPreset[]; + /** + * Create a base assort item and return it with populated values + 999999 stack count + unlimited count = true + * @param tplId tplid to add to item + * @param id id to add to item + * @returns hydrated Item object + */ + protected createRagfairAssortItem(tplId: string, id?: string): Item; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/RagfairOfferGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/RagfairOfferGenerator.d.ts new file mode 100644 index 0000000..25316c0 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/RagfairOfferGenerator.d.ts @@ -0,0 +1,201 @@ +import { RagfairAssortGenerator } from "@spt-aki/generators/RagfairAssortGenerator"; +import { HandbookHelper } from "@spt-aki/helpers/HandbookHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { PaymentHelper } from "@spt-aki/helpers/PaymentHelper"; +import { PresetHelper } from "@spt-aki/helpers/PresetHelper"; +import { RagfairServerHelper } from "@spt-aki/helpers/RagfairServerHelper"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { IBarterScheme } from "@spt-aki/models/eft/common/tables/ITrader"; +import { IRagfairOffer, OfferRequirement } from "@spt-aki/models/eft/ragfair/IRagfairOffer"; +import { Dynamic, IRagfairConfig } from "@spt-aki/models/spt/config/IRagfairConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { FenceService } from "@spt-aki/services/FenceService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { RagfairOfferService } from "@spt-aki/services/RagfairOfferService"; +import { RagfairPriceService } from "@spt-aki/services/RagfairPriceService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class RagfairOfferGenerator { + protected logger: ILogger; + protected jsonUtil: JsonUtil; + protected hashUtil: HashUtil; + protected randomUtil: RandomUtil; + protected timeUtil: TimeUtil; + protected databaseServer: DatabaseServer; + protected ragfairServerHelper: RagfairServerHelper; + protected handbookHelper: HandbookHelper; + protected saveServer: SaveServer; + protected presetHelper: PresetHelper; + protected ragfairAssortGenerator: RagfairAssortGenerator; + protected ragfairOfferService: RagfairOfferService; + protected ragfairPriceService: RagfairPriceService; + protected localisationService: LocalisationService; + protected paymentHelper: PaymentHelper; + protected fenceService: FenceService; + protected itemHelper: ItemHelper; + protected configServer: ConfigServer; + protected ragfairConfig: IRagfairConfig; + protected allowedFleaPriceItemsForBarter: { + tpl: string; + price: number; + }[]; + /** Internal counter to ensure each offer created has a unique value for its intId property */ + protected offerCounter: number; + constructor(logger: ILogger, jsonUtil: JsonUtil, hashUtil: HashUtil, randomUtil: RandomUtil, timeUtil: TimeUtil, databaseServer: DatabaseServer, ragfairServerHelper: RagfairServerHelper, handbookHelper: HandbookHelper, saveServer: SaveServer, presetHelper: PresetHelper, ragfairAssortGenerator: RagfairAssortGenerator, ragfairOfferService: RagfairOfferService, ragfairPriceService: RagfairPriceService, localisationService: LocalisationService, paymentHelper: PaymentHelper, fenceService: FenceService, itemHelper: ItemHelper, configServer: ConfigServer); + /** + * Create a flea offer and store it in the Ragfair server offers array + * @param userID Owner of the offer + * @param time Time offer is listed at + * @param items Items in the offer + * @param barterScheme Cost of item (currency or barter) + * @param loyalLevel Loyalty level needed to buy item + * @param sellInOnePiece Flags sellInOnePiece to be true + * @returns IRagfairOffer + */ + createFleaOffer(userID: string, time: number, items: Item[], barterScheme: IBarterScheme[], loyalLevel: number, sellInOnePiece?: boolean): IRagfairOffer; + /** + * Create an offer object ready to send to ragfairOfferService.addOffer() + * @param userID Owner of the offer + * @param time Time offer is listed at + * @param items Items in the offer + * @param barterScheme Cost of item (currency or barter) + * @param loyalLevel Loyalty level needed to buy item + * @param sellInOnePiece Set StackObjectsCount to 1 + * @returns IRagfairOffer + */ + protected createOffer(userID: string, time: number, items: Item[], barterScheme: IBarterScheme[], loyalLevel: number, sellInOnePiece?: boolean): IRagfairOffer; + /** + * Calculate the offer price that's listed on the flea listing + * @param offerRequirements barter requirements for offer + * @returns rouble cost of offer + */ + protected convertOfferRequirementsIntoRoubles(offerRequirements: OfferRequirement[]): number; + /** + * Get avatar url from trader table in db + * @param isTrader Is user we're getting avatar for a trader + * @param userId persons id to get avatar of + * @returns url of avatar + */ + protected getAvatarUrl(isTrader: boolean, userId: string): string; + /** + * Convert a count of currency into roubles + * @param currencyCount amount of currency to convert into roubles + * @param currencyType Type of currency (euro/dollar/rouble) + * @returns count of roubles + */ + protected calculateRoublePrice(currencyCount: number, currencyType: string): number; + /** + * Check userId, if its a player, return their pmc _id, otherwise return userId parameter + * @param userId Users Id to check + * @returns Users Id + */ + protected getTraderId(userId: string): string; + /** + * Get a flea trading rating for the passed in user + * @param userId User to get flea rating of + * @returns Flea rating value + */ + protected getRating(userId: string): number; + /** + * Is the offers user rating growing + * @param userID user to check rating of + * @returns true if its growing + */ + protected getRatingGrowing(userID: string): boolean; + /** + * Get number of section until offer should expire + * @param userID Id of the offer owner + * @param time Time the offer is posted + * @returns number of seconds until offer expires + */ + protected getOfferEndTime(userID: string, time: number): number; + /** + * Create multiple offers for items by using a unique list of items we've generated previously + * @param expiredOffers optional, expired offers to regenerate + */ + generateDynamicOffers(expiredOffers?: Item[]): Promise; + /** + * @param assortItemIndex Index of assort item + * @param assortItemsToProcess Item array containing index + * @param expiredOffers Currently expired offers on flea + * @param config Ragfair dynamic config + */ + protected createOffersForItems(assortItemIndex: string, assortItemsToProcess: Item[], expiredOffers: Item[], config: Dynamic): Promise; + /** + * Create one flea offer for a specific item + * @param items Item to create offer for + * @param isPreset Is item a weapon preset + * @param itemDetails raw db item details + * @returns Item array + */ + protected createSingleOfferForItem(items: Item[], isPreset: boolean, itemDetails: [boolean, ITemplateItem]): Promise; + /** + * Generate trader offers on flea using the traders assort data + * @param traderID Trader to generate offers for + */ + generateFleaOffersForTrader(traderID: string): void; + /** + * Get array of an item with its mods + condition properties (e.g durability) + * Apply randomisation adjustments to condition if item base is found in ragfair.json/dynamic/condition + * @param userID id of owner of item + * @param itemWithMods Item and mods, get condition of first item (only first array item is used) + * @param itemDetails db details of first item + * @returns + */ + protected randomiseItemUpdProperties(userID: string, itemWithMods: Item[], itemDetails: ITemplateItem): Item[]; + /** + * Get the relevant condition id if item tpl matches in ragfair.json/condition + * @param tpl Item to look for matching condition object + * @returns condition id + */ + protected getDynamicConditionIdForTpl(tpl: string): string; + /** + * Alter an items condition based on its item base type + * @param conditionSettingsId also the parentId of item being altered + * @param item Item to adjust condition details of + * @param itemDetails db item details of first item in array + */ + protected randomiseItemCondition(conditionSettingsId: string, item: Item, itemDetails: ITemplateItem): void; + /** + * Adjust an items durability/maxDurability value + * @param item item (weapon/armor) to adjust + * @param multiplier Value to multiple durability by + */ + protected randomiseDurabilityValues(item: Item, multiplier: number): void; + /** + * Add missing conditions to an item if needed + * Durabiltiy for repairable items + * HpResource for medical items + * @param item item to add conditions to + * @returns Item with conditions added + */ + protected addMissingConditions(item: Item): Item; + /** + * Create a barter-based barter scheme, if not possible, fall back to making barter scheme currency based + * @param offerItems Items for sale in offer + * @returns Barter scheme + */ + protected createBarterBarterScheme(offerItems: Item[]): IBarterScheme[]; + /** + * Get an array of flea prices + item tpl, cached in generator class inside `allowedFleaPriceItemsForBarter` + * @returns array with tpl/price values + */ + protected getFleaPricesAsArray(): { + tpl: string; + price: number; + }[]; + /** + * Create a random currency-based barter scheme for an array of items + * @param offerItems Items on offer + * @param isPackOffer Is the barter scheme being created for a pack offer + * @param multipler What to multiply the resulting price by + * @returns Barter scheme for offer + */ + protected createCurrencyBarterScheme(offerItems: Item[], isPackOffer: boolean, multipler?: number): IBarterScheme[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/RepeatableQuestGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/RepeatableQuestGenerator.d.ts new file mode 100644 index 0000000..35297fa --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/RepeatableQuestGenerator.d.ts @@ -0,0 +1,213 @@ +import { HandbookHelper } from "@spt-aki/helpers/HandbookHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { PresetHelper } from "@spt-aki/helpers/PresetHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { RagfairServerHelper } from "@spt-aki/helpers/RagfairServerHelper"; +import { RepeatableQuestHelper } from "@spt-aki/helpers/RepeatableQuestHelper"; +import { Exit } from "@spt-aki/models/eft/common/ILocationBase"; +import { TraderInfo } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ICompletion, ICompletionAvailableFor, IElimination, IEliminationCondition, IExploration, IExplorationCondition, IPickup, IRepeatableQuest, IReward, IRewards } from "@spt-aki/models/eft/common/tables/IRepeatableQuests"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { IBaseQuestConfig, IBossInfo, IEliminationConfig, IQuestConfig, IRepeatableQuestConfig } from "@spt-aki/models/spt/config/IQuestConfig"; +import { IQuestTypePool } from "@spt-aki/models/spt/repeatable/IQuestTypePool"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { ItemFilterService } from "@spt-aki/services/ItemFilterService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { PaymentService } from "@spt-aki/services/PaymentService"; +import { ProfileFixerService } from "@spt-aki/services/ProfileFixerService"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { MathUtil } from "@spt-aki/utils/MathUtil"; +import { ObjectId } from "@spt-aki/utils/ObjectId"; +import { ProbabilityObjectArray, RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class RepeatableQuestGenerator { + protected timeUtil: TimeUtil; + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected httpResponse: HttpResponseUtil; + protected mathUtil: MathUtil; + protected jsonUtil: JsonUtil; + protected databaseServer: DatabaseServer; + protected itemHelper: ItemHelper; + protected presetHelper: PresetHelper; + protected profileHelper: ProfileHelper; + protected profileFixerService: ProfileFixerService; + protected handbookHelper: HandbookHelper; + protected ragfairServerHelper: RagfairServerHelper; + protected eventOutputHolder: EventOutputHolder; + protected localisationService: LocalisationService; + protected paymentService: PaymentService; + protected objectId: ObjectId; + protected itemFilterService: ItemFilterService; + protected repeatableQuestHelper: RepeatableQuestHelper; + protected configServer: ConfigServer; + protected questConfig: IQuestConfig; + constructor(timeUtil: TimeUtil, logger: ILogger, randomUtil: RandomUtil, httpResponse: HttpResponseUtil, mathUtil: MathUtil, jsonUtil: JsonUtil, databaseServer: DatabaseServer, itemHelper: ItemHelper, presetHelper: PresetHelper, profileHelper: ProfileHelper, profileFixerService: ProfileFixerService, handbookHelper: HandbookHelper, ragfairServerHelper: RagfairServerHelper, eventOutputHolder: EventOutputHolder, localisationService: LocalisationService, paymentService: PaymentService, objectId: ObjectId, itemFilterService: ItemFilterService, repeatableQuestHelper: RepeatableQuestHelper, configServer: ConfigServer); + /** + * This method is called by /GetClientRepeatableQuests/ and creates one element of quest type format (see assets/database/templates/repeatableQuests.json). + * It randomly draws a quest type (currently Elimination, Completion or Exploration) as well as a trader who is providing the quest + * @param pmcLevel Player's level for requested items and reward generation + * @param pmcTraderInfo Players traper standing/rep levels + * @param questTypePool Possible quest types pool + * @param repeatableConfig Repeatable quest config + * @returns IRepeatableQuest + */ + generateRepeatableQuest(pmcLevel: number, pmcTraderInfo: Record, questTypePool: IQuestTypePool, repeatableConfig: IRepeatableQuestConfig): IRepeatableQuest; + /** + * Generate a randomised Elimination quest + * @param pmcLevel Player's level for requested items and reward generation + * @param traderId Trader from which the quest will be provided + * @param questTypePool Pools for quests (used to avoid redundant quests) + * @param repeatableConfig The configuration for the repeatably kind (daily, weekly) as configured in QuestConfig for the requestd quest + * @returns Object of quest type format for "Elimination" (see assets/database/templates/repeatableQuests.json) + */ + protected generateEliminationQuest(pmcLevel: number, traderId: string, questTypePool: IQuestTypePool, repeatableConfig: IRepeatableQuestConfig): IElimination; + /** + * Get a number of kills neded to complete elimination quest + * @param targetKey Target type desired e.g. anyPmc/bossBully/Savage + * @param targetsConfig Config + * @param eliminationConfig Config + * @returns Number of AI to kill + */ + protected getEliminationKillCount(targetKey: string, targetsConfig: ProbabilityObjectArray, eliminationConfig: IEliminationConfig): number; + /** + * A repeatable quest, besides some more or less static components, exists of reward and condition (see assets/database/templates/repeatableQuests.json) + * This is a helper method for GenerateEliminationQuest to create a location condition. + * + * @param {string} location the location on which to fulfill the elimination quest + * @returns {IEliminationCondition} object of "Elimination"-location-subcondition + */ + protected generateEliminationLocation(location: string[]): IEliminationCondition; + /** + * Create kill condition for an elimination quest + * @param target Bot type target of elimination quest e.g. "AnyPmc", "Savage" + * @param targetedBodyParts Body parts player must hit + * @param distance Distance from which to kill (currently only >= supported + * @param allowedWeapon What weapon must be used - undefined = any + * @param allowedWeaponCategory What category of weapon must be used - undefined = any + * @returns IEliminationCondition object + */ + protected generateEliminationCondition(target: string, targetedBodyParts: string[], distance: number, allowedWeapon: string, allowedWeaponCategory: string): IEliminationCondition; + /** + * Generates a valid Completion quest + * + * @param {integer} pmcLevel player's level for requested items and reward generation + * @param {string} traderId trader from which the quest will be provided + * @param {object} repeatableConfig The configuration for the repeatably kind (daily, weekly) as configured in QuestConfig for the requestd quest + * @returns {object} object of quest type format for "Completion" (see assets/database/templates/repeatableQuests.json) + */ + protected generateCompletionQuest(pmcLevel: number, traderId: string, repeatableConfig: IRepeatableQuestConfig): ICompletion; + /** + * A repeatable quest, besides some more or less static components, exists of reward and condition (see assets/database/templates/repeatableQuests.json) + * This is a helper method for GenerateCompletionQuest to create a completion condition (of which a completion quest theoretically can have many) + * + * @param {string} itemTpl id of the item to request + * @param {integer} value amount of items of this specific type to request + * @returns {object} object of "Completion"-condition + */ + protected generateCompletionAvailableForFinish(itemTpl: string, value: number): ICompletionAvailableFor; + /** + * Generates a valid Exploration quest + * + * @param {integer} pmcLevel player's level for reward generation + * @param {string} traderId trader from which the quest will be provided + * @param {object} questTypePool Pools for quests (used to avoid redundant quests) + * @param {object} repeatableConfig The configuration for the repeatably kind (daily, weekly) as configured in QuestConfig for the requestd quest + * @returns {object} object of quest type format for "Exploration" (see assets/database/templates/repeatableQuests.json) + */ + protected generateExplorationQuest(pmcLevel: number, traderId: string, questTypePool: IQuestTypePool, repeatableConfig: IRepeatableQuestConfig): IExploration; + protected generatePickupQuest(pmcLevel: number, traderId: string, questTypePool: IQuestTypePool, repeatableConfig: IRepeatableQuestConfig): IPickup; + /** + * Convert a location into an quest code can read (e.g. factory4_day into 55f2d3fd4bdc2d5f408b4567) + * @param locationKey e.g factory4_day + * @returns guid + */ + protected getQuestLocationByMapId(locationKey: string): string; + /** + * Exploration repeatable quests can specify a required extraction point. + * This method creates the according object which will be appended to the conditions array + * + * @param {string} exit The exit name to generate the condition for + * @returns {object} Exit condition + */ + protected generateExplorationExitCondition(exit: Exit): IExplorationCondition; + /** + * Generate the reward for a mission. A reward can consist of + * - Experience + * - Money + * - Items + * - Trader Reputation + * + * The reward is dependent on the player level as given by the wiki. The exact mapping of pmcLevel to + * experience / money / items / trader reputation can be defined in QuestConfig.js + * + * There's also a random variation of the reward the spread of which can be also defined in the config. + * + * Additonaly, a scaling factor w.r.t. quest difficulty going from 0.2...1 can be used + * + * @param {integer} pmcLevel player's level + * @param {number} difficulty a reward scaling factor goint from 0.2 to 1 + * @param {string} traderId the trader for reputation gain (and possible in the future filtering of reward item type based on trader) + * @param {object} repeatableConfig The configuration for the repeatably kind (daily, weekly) as configured in QuestConfig for the requestd quest + * @returns {object} object of "Reward"-type that can be given for a repeatable mission + */ + protected generateReward(pmcLevel: number, difficulty: number, traderId: string, repeatableConfig: IRepeatableQuestConfig, questConfig: IBaseQuestConfig): IRewards; + /** + * Should reward item have stack size increased (25% chance) + * @param item Item to possibly increase stack size of + * @param maxRoublePriceToStack Maximum rouble price an item can be to still be chosen for stacking + * @returns True if it should + */ + protected canIncreaseRewardItemStackSize(item: ITemplateItem, maxRoublePriceToStack: number): boolean; + /** + * Get a randomised number a reward items stack size should be based on its handbook price + * @param item Reward item to get stack size for + * @returns Stack size value + */ + protected getRandomisedRewardItemStackSizeByPrice(item: ITemplateItem): number; + /** + * Select a number of items that have a colelctive value of the passed in parameter + * @param repeatableConfig Config + * @param roublesBudget Total value of items to return + * @returns Array of reward items that fit budget + */ + protected chooseRewardItemsWithinBudget(repeatableConfig: IRepeatableQuestConfig, roublesBudget: number, traderId: string): ITemplateItem[]; + /** + * Helper to create a reward item structured as required by the client + * + * @param {string} tpl ItemId of the rewarded item + * @param {integer} value Amount of items to give + * @param {integer} index All rewards will be appended to a list, for unknown reasons the client wants the index + * @returns {object} Object of "Reward"-item-type + */ + protected generateRewardItem(tpl: string, value: number, index: number, preset?: Item[]): IReward; + /** + * Picks rewardable items from items.json. This means they need to fit into the inventory and they shouldn't be keys (debatable) + * @param repeatableQuestConfig Config file + * @returns List of rewardable items [[_tpl, itemTemplate],...] + */ + protected getRewardableItems(repeatableQuestConfig: IRepeatableQuestConfig, traderId: string): [string, ITemplateItem][]; + /** + * Checks if an id is a valid item. Valid meaning that it's an item that may be a reward + * or content of bot loot. Items that are tested as valid may be in a player backpack or stash. + * @param {string} tpl template id of item to check + * @returns True if item is valid reward + */ + protected isValidRewardItem(tpl: string, repeatableQuestConfig: IRepeatableQuestConfig, itemBaseWhitelist: string[]): boolean; + /** + * Generates the base object of quest type format given as templates in assets/database/templates/repeatableQuests.json + * The templates include Elimination, Completion and Extraction quest types + * + * @param {string} type Quest type: "Elimination", "Completion" or "Extraction" + * @param {string} traderId Trader from which the quest will be provided + * @param {string} side Scav daily or pmc daily/weekly quest + * @returns {object} Object which contains the base elements for repeatable quests of the requests type + * (needs to be filled with reward and conditions by called to make a valid quest) + */ + protected generateRepeatableTemplate(type: string, traderId: string, side: string): IRepeatableQuest; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/ScavCaseRewardGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/ScavCaseRewardGenerator.d.ts new file mode 100644 index 0000000..11e1bc3 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/ScavCaseRewardGenerator.d.ts @@ -0,0 +1,105 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { Product } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { Upd } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { IHideoutScavCase } from "@spt-aki/models/eft/hideout/IHideoutScavCase"; +import { IScavCaseConfig } from "@spt-aki/models/spt/config/IScavCaseConfig"; +import { RewardCountAndPriceDetails, ScavCaseRewardCountsAndPrices } from "@spt-aki/models/spt/hideout/ScavCaseRewardCountsAndPrices"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { ItemFilterService } from "@spt-aki/services/ItemFilterService"; +import { RagfairPriceService } from "@spt-aki/services/RagfairPriceService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +/** + * Handle the creation of randomised scav case rewards + */ +export declare class ScavCaseRewardGenerator { + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected hashUtil: HashUtil; + protected itemHelper: ItemHelper; + protected databaseServer: DatabaseServer; + protected ragfairPriceService: RagfairPriceService; + protected itemFilterService: ItemFilterService; + protected configServer: ConfigServer; + protected scavCaseConfig: IScavCaseConfig; + protected dbItemsCache: ITemplateItem[]; + protected dbAmmoItemsCache: ITemplateItem[]; + constructor(logger: ILogger, randomUtil: RandomUtil, hashUtil: HashUtil, itemHelper: ItemHelper, databaseServer: DatabaseServer, ragfairPriceService: RagfairPriceService, itemFilterService: ItemFilterService, configServer: ConfigServer); + /** + * Create an array of rewards that will be given to the player upon completing their scav case build + * @param recipeId recipe of the scav case craft + * @returns Product array + */ + generate(recipeId: string): Product[]; + /** + * Get all db items that are not blacklisted in scavcase config or global blacklist + * Store in class field + */ + protected cacheDbItems(): void; + /** + * Pick a number of items to be rewards, the count is defined by the values in `itemFilters` param + * @param items item pool to pick rewards from + * @param itemFilters how the rewards should be filtered down (by item count) + * @returns + */ + protected pickRandomRewards(items: ITemplateItem[], itemFilters: RewardCountAndPriceDetails, rarity: string): ITemplateItem[]; + /** + * Choose if money should be a reward based on the moneyRewardChancePercent config chance in scavCaseConfig + * @returns true if reward should be money + */ + protected rewardShouldBeMoney(): boolean; + /** + * Choose if ammo should be a reward based on the ammoRewardChancePercent config chance in scavCaseConfig + * @returns true if reward should be ammo + */ + protected rewardShouldBeAmmo(): boolean; + /** + * Choose from rouble/dollar/euro at random + */ + protected getRandomMoney(): ITemplateItem; + /** + * Get a random ammo from items.json that is not in the ammo blacklist AND inside the price rage defined in scavcase.json config + * @param rarity The rarity this ammo reward is for + * @returns random ammo item from items.json + */ + protected getRandomAmmo(rarity: string): ITemplateItem; + /** + * Take all the rewards picked create the Product object array ready to return to calling code + * Also add a stack count to ammo and money + * @param rewardItems items to convert + * @returns Product array + */ + protected randomiseContainerItemRewards(rewardItems: ITemplateItem[], rarity: string): Product[]; + /** + * Add a randomised stack count to ammo or money items + * @param item money or ammo item + * @param resultItem money or ammo item with a randomise stack size + */ + protected addStackCountToAmmoAndMoney(item: ITemplateItem, resultItem: { + _id: string; + _tpl: string; + upd: Upd; + }, rarity: string): void; + /** + * @param dbItems all items from the items.json + * @param itemFilters controls how the dbItems will be filtered and returned (handbook price) + * @returns filtered dbItems array + */ + protected getFilteredItemsByPrice(dbItems: ITemplateItem[], itemFilters: RewardCountAndPriceDetails): ITemplateItem[]; + /** + * Gathers the reward min and max count params for each reward quality level from config and scavcase.json into a single object + * @param scavCaseDetails scavcase.json values + * @returns ScavCaseRewardCountsAndPrices object + */ + protected getScavCaseRewardCountsAndPrices(scavCaseDetails: IHideoutScavCase): ScavCaseRewardCountsAndPrices; + /** + * Randomises the size of ammo and money stacks + * @param itemToCalculate ammo or money item + * @param rarity rarity (common/rare/superrare) + * @returns value to set stack count to + */ + protected getRandomAmountRewardForScavCase(itemToCalculate: ITemplateItem, rarity: string): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/WeatherGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/WeatherGenerator.d.ts new file mode 100644 index 0000000..5501ee6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/WeatherGenerator.d.ts @@ -0,0 +1,60 @@ +import { ApplicationContext } from "@spt-aki/context/ApplicationContext"; +import { WeightedRandomHelper } from "@spt-aki/helpers/WeightedRandomHelper"; +import { IWeather, IWeatherData } from "@spt-aki/models/eft/weather/IWeatherData"; +import { WindDirection } from "@spt-aki/models/enums/WindDirection"; +import { IWeatherConfig } from "@spt-aki/models/spt/config/IWeatherConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class WeatherGenerator { + protected weightedRandomHelper: WeightedRandomHelper; + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected timeUtil: TimeUtil; + protected applicationContext: ApplicationContext; + protected configServer: ConfigServer; + protected weatherConfig: IWeatherConfig; + constructor(weightedRandomHelper: WeightedRandomHelper, logger: ILogger, randomUtil: RandomUtil, timeUtil: TimeUtil, applicationContext: ApplicationContext, configServer: ConfigServer); + /** + * Get current + raid datetime and format into correct BSG format and return + * @param data Weather data + * @returns IWeatherData + */ + calculateGameTime(data: IWeatherData): IWeatherData; + /** + * Get server uptime seconds multiplied by a multiplier and add to current time as seconds + * Format to BSGs requirements + * @param currentDate current date + * @returns formatted time + */ + protected getBsgFormattedInRaidTime(currentDate: Date): string; + /** + * Get the current in-raid time + * @param currentDate (new Date()) + * @returns Date object of current in-raid time + */ + getInRaidTime(currentDate: Date): Date; + /** + * Get current time formatted to fit BSGs requirement + * @param date date to format into bsg style + * @returns Time formatted in BSG format + */ + protected getBSGFormattedTime(date: Date): string; + /** + * Return randomised Weather data with help of config/weather.json + * @returns Randomised weather data + */ + generateWeather(): IWeather; + /** + * Set IWeather date/time/timestamp values to now + * @param weather Object to update + */ + protected setCurrentDateTime(weather: IWeather): void; + protected getWeightedWindDirection(): WindDirection; + protected getWeightedClouds(): number; + protected getWeightedWindSpeed(): number; + protected getWeightedFog(): number; + protected getWeightedRain(): number; + protected getRandomFloat(node: string): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/IInventoryMagGen.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/IInventoryMagGen.d.ts new file mode 100644 index 0000000..5586243 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/IInventoryMagGen.d.ts @@ -0,0 +1,6 @@ +import { InventoryMagGen } from "@spt-aki/generators/weapongen/InventoryMagGen"; +export interface IInventoryMagGen { + getPriority(): number; + canHandleInventoryMagGen(inventoryMagGen: InventoryMagGen): boolean; + process(inventoryMagGen: InventoryMagGen): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/InventoryMagGen.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/InventoryMagGen.d.ts new file mode 100644 index 0000000..778ac53 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/InventoryMagGen.d.ts @@ -0,0 +1,16 @@ +import { Inventory } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { GenerationData } from "@spt-aki/models/eft/common/tables/IBotType"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +export declare class InventoryMagGen { + private magCounts; + private magazineTemplate; + private weaponTemplate; + private ammoTemplate; + private pmcInventory; + constructor(magCounts: GenerationData, magazineTemplate: ITemplateItem, weaponTemplate: ITemplateItem, ammoTemplate: ITemplateItem, pmcInventory: Inventory); + getMagCount(): GenerationData; + getMagazineTemplate(): ITemplateItem; + getWeaponTemplate(): ITemplateItem; + getAmmoTemplate(): ITemplateItem; + getPmcInventory(): Inventory; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/implementations/BarrelInventoryMagGen.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/implementations/BarrelInventoryMagGen.d.ts new file mode 100644 index 0000000..3e5e708 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/implementations/BarrelInventoryMagGen.d.ts @@ -0,0 +1,12 @@ +import { IInventoryMagGen } from "@spt-aki/generators/weapongen/IInventoryMagGen"; +import { InventoryMagGen } from "@spt-aki/generators/weapongen/InventoryMagGen"; +import { BotWeaponGeneratorHelper } from "@spt-aki/helpers/BotWeaponGeneratorHelper"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class BarrelInventoryMagGen implements IInventoryMagGen { + protected randomUtil: RandomUtil; + protected botWeaponGeneratorHelper: BotWeaponGeneratorHelper; + constructor(randomUtil: RandomUtil, botWeaponGeneratorHelper: BotWeaponGeneratorHelper); + getPriority(): number; + canHandleInventoryMagGen(inventoryMagGen: InventoryMagGen): boolean; + process(inventoryMagGen: InventoryMagGen): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/implementations/ExternalInventoryMagGen.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/implementations/ExternalInventoryMagGen.d.ts new file mode 100644 index 0000000..edc4734 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/implementations/ExternalInventoryMagGen.d.ts @@ -0,0 +1,25 @@ +import { IInventoryMagGen } from "@spt-aki/generators/weapongen/IInventoryMagGen"; +import { InventoryMagGen } from "@spt-aki/generators/weapongen/InventoryMagGen"; +import { BotWeaponGeneratorHelper } from "@spt-aki/helpers/BotWeaponGeneratorHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class ExternalInventoryMagGen implements IInventoryMagGen { + protected logger: ILogger; + protected itemHelper: ItemHelper; + protected localisationService: LocalisationService; + protected botWeaponGeneratorHelper: BotWeaponGeneratorHelper; + protected randomUtil: RandomUtil; + constructor(logger: ILogger, itemHelper: ItemHelper, localisationService: LocalisationService, botWeaponGeneratorHelper: BotWeaponGeneratorHelper, randomUtil: RandomUtil); + getPriority(): number; + canHandleInventoryMagGen(inventoryMagGen: InventoryMagGen): boolean; + process(inventoryMagGen: InventoryMagGen): void; + /** + * Get a random compatible external magazine for a weapon, excluses internal magazines from possible pool + * @param weaponTpl Weapon to get mag for + * @returns tpl of magazine + */ + protected getRandomExternalMagazineForInternalMagazineGun(weaponTpl: string, magazineBlacklist: string[]): ITemplateItem; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/implementations/InternalMagazineInventoryMagGen.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/implementations/InternalMagazineInventoryMagGen.d.ts new file mode 100644 index 0000000..70efdb5 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/implementations/InternalMagazineInventoryMagGen.d.ts @@ -0,0 +1,10 @@ +import { IInventoryMagGen } from "@spt-aki/generators/weapongen/IInventoryMagGen"; +import { InventoryMagGen } from "@spt-aki/generators/weapongen/InventoryMagGen"; +import { BotWeaponGeneratorHelper } from "@spt-aki/helpers/BotWeaponGeneratorHelper"; +export declare class InternalMagazineInventoryMagGen implements IInventoryMagGen { + protected botWeaponGeneratorHelper: BotWeaponGeneratorHelper; + constructor(botWeaponGeneratorHelper: BotWeaponGeneratorHelper); + getPriority(): number; + canHandleInventoryMagGen(inventoryMagGen: InventoryMagGen): boolean; + process(inventoryMagGen: InventoryMagGen): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/implementations/UbglExternalMagGen.d.ts b/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/implementations/UbglExternalMagGen.d.ts new file mode 100644 index 0000000..02b7748 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/generators/weapongen/implementations/UbglExternalMagGen.d.ts @@ -0,0 +1,10 @@ +import { IInventoryMagGen } from "@spt-aki/generators/weapongen/IInventoryMagGen"; +import { InventoryMagGen } from "@spt-aki/generators/weapongen/InventoryMagGen"; +import { BotWeaponGeneratorHelper } from "@spt-aki/helpers/BotWeaponGeneratorHelper"; +export declare class UbglExternalMagGen implements IInventoryMagGen { + protected botWeaponGeneratorHelper: BotWeaponGeneratorHelper; + constructor(botWeaponGeneratorHelper: BotWeaponGeneratorHelper); + getPriority(): number; + canHandleInventoryMagGen(inventoryMagGen: InventoryMagGen): boolean; + process(inventoryMagGen: InventoryMagGen): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/AssortHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/AssortHelper.d.ts new file mode 100644 index 0000000..52dda35 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/AssortHelper.d.ts @@ -0,0 +1,50 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { QuestHelper } from "@spt-aki/helpers/QuestHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { ITraderAssort } from "@spt-aki/models/eft/common/tables/ITrader"; +import { QuestStatus } from "@spt-aki/models/enums/QuestStatus"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +export declare class AssortHelper { + protected logger: ILogger; + protected itemHelper: ItemHelper; + protected databaseServer: DatabaseServer; + protected localisationService: LocalisationService; + protected questHelper: QuestHelper; + constructor(logger: ILogger, itemHelper: ItemHelper, databaseServer: DatabaseServer, localisationService: LocalisationService, questHelper: QuestHelper); + /** + * Remove assorts from a trader that have not been unlocked yet (via player completing corrisponding quest) + * @param pmcProfile Player profile + * @param traderId Traders id the assort belongs to + * @param traderAssorts All assort items from same trader + * @param mergedQuestAssorts Dict of quest assort to quest id unlocks for all traders (key = started/failed/complete) + * @returns Assort items minus locked quest assorts + */ + stripLockedQuestAssort(pmcProfile: IPmcData, traderId: string, traderAssorts: ITraderAssort, mergedQuestAssorts: Record>, flea?: boolean): ITraderAssort; + /** + * Get a quest id + the statuses quest can be in to unlock assort + * @param mergedQuestAssorts quest assorts to search for assort id + * @param assortId Assort to look for linked quest id + * @returns quest id + array of quest status the assort should show for + */ + protected getQuestIdAndStatusThatShowAssort(mergedQuestAssorts: Record>, assortId: string): { + questId: string; + status: QuestStatus[]; + }; + /** + * Remove assorts from a trader that have not been unlocked yet + * @param pmcProfile player profile + * @param traderId traders id + * @param assort traders assorts + * @returns traders assorts minus locked loyalty assorts + */ + stripLockedLoyaltyAssort(pmcProfile: IPmcData, traderId: string, assort: ITraderAssort): ITraderAssort; + /** + * Remove an item from an assort + * @param assort assort to modify + * @param itemID item id to remove from asort + * @returns Modified assort + */ + removeItemFromAssort(assort: ITraderAssort, itemID: string, flea?: boolean): ITraderAssort; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/BotDifficultyHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/BotDifficultyHelper.d.ts new file mode 100644 index 0000000..84beba3 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/BotDifficultyHelper.d.ts @@ -0,0 +1,46 @@ +import { BotHelper } from "@spt-aki/helpers/BotHelper"; +import { Difficulty } from "@spt-aki/models/eft/common/tables/IBotType"; +import { IPmcConfig } from "@spt-aki/models/spt/config/IPmcConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class BotDifficultyHelper { + protected logger: ILogger; + protected jsonUtil: JsonUtil; + protected databaseServer: DatabaseServer; + protected randomUtil: RandomUtil; + protected localisationService: LocalisationService; + protected botHelper: BotHelper; + protected configServer: ConfigServer; + protected pmcConfig: IPmcConfig; + constructor(logger: ILogger, jsonUtil: JsonUtil, databaseServer: DatabaseServer, randomUtil: RandomUtil, localisationService: LocalisationService, botHelper: BotHelper, configServer: ConfigServer); + getPmcDifficultySettings(pmcType: "bear" | "usec", difficulty: string, usecType: string, bearType: string): Difficulty; + /** + * Get difficulty settings for desired bot type, if not found use assault bot types + * @param type bot type to retrieve difficulty of + * @param difficulty difficulty to get settings for (easy/normal etc) + * @returns Difficulty object + */ + getBotDifficultySettings(type: string, difficulty: string): Difficulty; + /** + * Get difficulty settings for a PMC + * @param type "usec" / "bear" + * @param difficulty what difficulty to retrieve + * @returns Difficulty object + */ + protected getDifficultySettings(type: string, difficulty: string): Difficulty; + /** + * Translate chosen value from pre-raid difficulty dropdown into bot difficulty value + * @param dropDownDifficulty Dropdown difficulty value to convert + * @returns bot difficulty + */ + convertBotDifficultyDropdownToBotDifficulty(dropDownDifficulty: string): string; + /** + * Choose a random difficulty from - easy/normal/hard/impossible + * @returns random difficulty + */ + chooseRandomDifficulty(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/BotGeneratorHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/BotGeneratorHelper.d.ts new file mode 100644 index 0000000..e7f32ed --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/BotGeneratorHelper.d.ts @@ -0,0 +1,93 @@ +import { ApplicationContext } from "@spt-aki/context/ApplicationContext"; +import { DurabilityLimitsHelper } from "@spt-aki/helpers/DurabilityLimitsHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { Item, Repairable, Upd } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { EquipmentFilters, IBotConfig, IRandomisedResourceValues } from "@spt-aki/models/spt/config/IBotConfig"; +import { IPmcConfig } from "@spt-aki/models/spt/config/IPmcConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class BotGeneratorHelper { + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected databaseServer: DatabaseServer; + protected durabilityLimitsHelper: DurabilityLimitsHelper; + protected itemHelper: ItemHelper; + protected applicationContext: ApplicationContext; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected botConfig: IBotConfig; + protected pmcConfig: IPmcConfig; + constructor(logger: ILogger, randomUtil: RandomUtil, databaseServer: DatabaseServer, durabilityLimitsHelper: DurabilityLimitsHelper, itemHelper: ItemHelper, applicationContext: ApplicationContext, localisationService: LocalisationService, configServer: ConfigServer); + /** + * Adds properties to an item + * e.g. Repairable / HasHinge / Foldable / MaxDurability + * @param itemTemplate Item extra properties are being generated for + * @param botRole Used by weapons to randomize the durability values. Null for non-equipped items + * @returns Item Upd object with extra properties + */ + generateExtraPropertiesForItem(itemTemplate: ITemplateItem, botRole?: any): { + upd?: Upd; + }; + /** + * Randomize the HpResource for bots e.g (245/400 resources) + * @param maxResource Max resource value of medical items + * @param randomizationValues Value provided from config + * @returns Randomized value from maxHpResource + */ + protected getRandomizedResourceValue(maxResource: number, randomizationValues: IRandomisedResourceValues): number; + /** + * Get the chance for the weapon attachment or helmet equipment to be set as activated + * @param botRole role of bot with weapon/helmet + * @param setting the setting of the weapon attachment/helmet equipment to be activated + * @param defaultValue default value for the chance of activation if the botrole or bot equipment role is null + * @returns Percent chance to be active + */ + protected getBotEquipmentSettingFromConfig(botRole: string, setting: keyof EquipmentFilters, defaultValue: number): number; + /** + * Create a repairable object for a weapon that containers durability + max durability properties + * @param itemTemplate weapon object being generated for + * @param botRole type of bot being generated for + * @returns Repairable object + */ + protected generateWeaponRepairableProperties(itemTemplate: ITemplateItem, botRole: string): Repairable; + /** + * Create a repairable object for an armor that containers durability + max durability properties + * @param itemTemplate weapon object being generated for + * @param botRole type of bot being generated for + * @returns Repairable object + */ + protected generateArmorRepairableProperties(itemTemplate: ITemplateItem, botRole: string): Repairable; + /** + * Can item be added to another item without conflict + * @param items Items to check compatibilities with + * @param tplToCheck Tpl of the item to check for incompatibilities + * @param equipmentSlot Slot the item will be placed into + * @returns false if no incompatibilities, also has incompatibility reason + */ + isItemIncompatibleWithCurrentItems(items: Item[], tplToCheck: string, equipmentSlot: string): { + incompatible: boolean; + reason: string; + }; + /** + * Convert a bots role to the equipment role used in config/bot.json + * @param botRole Role to convert + * @returns Equipment role (e.g. pmc / assault / bossTagilla) + */ + getBotEquipmentRole(botRole: string): string; +} +/** TODO - move into own class */ +export declare class ExhaustableArray { + private itemPool; + private randomUtil; + private jsonUtil; + private pool; + constructor(itemPool: T[], randomUtil: RandomUtil, jsonUtil: JsonUtil); + getRandomValue(): T; + getFirstValue(): T; + hasValues(): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/BotHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/BotHelper.d.ts new file mode 100644 index 0000000..1026070 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/BotHelper.d.ts @@ -0,0 +1,90 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { Difficulty, IBotType } from "@spt-aki/models/eft/common/tables/IBotType"; +import { EquipmentFilters, IBotConfig, RandomisationDetails } from "@spt-aki/models/spt/config/IBotConfig"; +import { IPmcConfig } from "@spt-aki/models/spt/config/IPmcConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class BotHelper { + protected logger: ILogger; + protected jsonUtil: JsonUtil; + protected databaseServer: DatabaseServer; + protected randomUtil: RandomUtil; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected botConfig: IBotConfig; + protected pmcConfig: IPmcConfig; + constructor(logger: ILogger, jsonUtil: JsonUtil, databaseServer: DatabaseServer, randomUtil: RandomUtil, localisationService: LocalisationService, configServer: ConfigServer); + /** + * Get a template object for the specified botRole from bots.types db + * @param role botRole to get template for + * @returns IBotType object + */ + getBotTemplate(role: string): IBotType; + /** + * Randomize the chance the PMC will attack their own side + * Look up value in bot.json/chanceSameSideIsHostilePercent + * @param difficultySettings pmc difficulty settings + */ + randomizePmcHostility(difficultySettings: Difficulty): void; + /** + * Is the passed in bot role a PMC (usec/bear/pmc) + * @param botRole bot role to check + * @returns true if is pmc + */ + isBotPmc(botRole: string): boolean; + isBotBoss(botRole: string): boolean; + isBotFollower(botRole: string): boolean; + /** + * Add a bot to the FRIENDLY_BOT_TYPES array + * @param difficultySettings bot settings to alter + * @param typeToAdd bot type to add to friendly list + */ + addBotToFriendlyList(difficultySettings: Difficulty, typeToAdd: string): void; + /** + * Add a bot to the ENEMY_BOT_TYPES array, do not add itself if its on the enemy list + * @param difficultySettings bot settings to alter + * @param typesToAdd bot type to add to enemy list + */ + addBotToEnemyList(difficultySettings: Difficulty, typesToAdd: string[], typeBeingEdited: string): void; + /** + * Add a bot to the REVENGE_BOT_TYPES array + * @param difficultySettings bot settings to alter + * @param typesToAdd bot type to add to revenge list + */ + addBotToRevengeList(difficultySettings: Difficulty, typesToAdd: string[]): void; + /** + * Choose if a bot should become a PMC by checking if bot type is allowed to become a Pmc in botConfig.convertFromChances and doing a random int check + * @param botRole the bot role to check if should be a pmc + * @returns true if should be a pmc + */ + shouldBotBePmc(botRole: string): boolean; + rollChanceToBePmc(role: string, botConvertMinMax: MinMax): boolean; + botRoleIsPmc(botRole: string): boolean; + /** + * Get randomization settings for bot from config/bot.json + * @param botLevel level of bot + * @param botEquipConfig bot equipment json + * @returns RandomisationDetails + */ + getBotRandomizationDetails(botLevel: number, botEquipConfig: EquipmentFilters): RandomisationDetails; + /** + * Choose between sptBear and sptUsec at random based on the % defined in pmcConfig.isUsec + * @returns pmc role + */ + getRandomizedPmcRole(): string; + /** + * Get the corresponding side when sptBear or sptUsec is passed in + * @param botRole role to get side for + * @returns side (usec/bear) + */ + getPmcSideByRole(botRole: string): string; + /** + * Get a randomized PMC side based on bot config value 'isUsec' + * @returns pmc side as string + */ + protected getRandomizedPmcSide(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/BotWeaponGeneratorHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/BotWeaponGeneratorHelper.d.ts new file mode 100644 index 0000000..293abb1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/BotWeaponGeneratorHelper.d.ts @@ -0,0 +1,86 @@ +import { ContainerHelper } from "@spt-aki/helpers/ContainerHelper"; +import { InventoryHelper } from "@spt-aki/helpers/InventoryHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { WeightedRandomHelper } from "@spt-aki/helpers/WeightedRandomHelper"; +import { Inventory } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { GenerationData } from "@spt-aki/models/eft/common/tables/IBotType"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { Grid, ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { EquipmentSlots } from "@spt-aki/models/enums/EquipmentSlots"; +import { ItemAddedResult } from "@spt-aki/models/enums/ItemAddedResult"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class BotWeaponGeneratorHelper { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected itemHelper: ItemHelper; + protected randomUtil: RandomUtil; + protected hashUtil: HashUtil; + protected inventoryHelper: InventoryHelper; + protected weightedRandomHelper: WeightedRandomHelper; + protected localisationService: LocalisationService; + protected containerHelper: ContainerHelper; + constructor(logger: ILogger, databaseServer: DatabaseServer, itemHelper: ItemHelper, randomUtil: RandomUtil, hashUtil: HashUtil, inventoryHelper: InventoryHelper, weightedRandomHelper: WeightedRandomHelper, localisationService: LocalisationService, containerHelper: ContainerHelper); + /** + * Get a randomized number of bullets for a specific magazine + * @param magCounts Weights of magazines + * @param magTemplate magazine to generate bullet count for + * @returns bullet count number + */ + getRandomizedBulletCount(magCounts: GenerationData, magTemplate: ITemplateItem): number; + /** + * Get a randomized count of magazines + * @param magCounts min and max value returned value can be between + * @returns numerical value of magazine count + */ + getRandomizedMagazineCount(magCounts: GenerationData): number; + /** + * Is this magazine cylinder related (revolvers and grenade launchers) + * @param magazineParentName the name of the magazines parent + * @returns true if it is cylinder related + */ + magazineIsCylinderRelated(magazineParentName: string): boolean; + /** + * Create a magazine using the parameters given + * @param magazineTpl Tpl of the magazine to create + * @param ammoTpl Ammo to add to magazine + * @param magTemplate template object of magazine + * @returns Item array + */ + createMagazineWithAmmo(magazineTpl: string, ammoTpl: string, magTemplate: ITemplateItem): Item[]; + /** + * Add a specific number of cartridges to a bots inventory (defaults to vest and pockets) + * @param ammoTpl Ammo tpl to add to vest/pockets + * @param cartridgeCount number of cartridges to add to vest/pockets + * @param inventory bot inventory to add cartridges to + * @param equipmentSlotsToAddTo what equipment slots should bullets be added into + */ + addAmmoIntoEquipmentSlots(ammoTpl: string, cartridgeCount: number, inventory: Inventory, equipmentSlotsToAddTo?: EquipmentSlots[]): void; + /** + * Get a weapons default magazine template id + * @param weaponTemplate weapon to get default magazine for + * @returns tpl of magazine + */ + getWeaponsDefaultMagazineTpl(weaponTemplate: ITemplateItem): string; + /** + * TODO - move into BotGeneratorHelper, this is not the class for it + * Adds an item with all its children into specified equipmentSlots, wherever it fits. + * @param equipmentSlots Slot to add item+children into + * @param parentId + * @param parentTpl + * @param itemWithChildren Item to add + * @param inventory Inventory to add item+children into + * @returns a `boolean` indicating item was added + */ + addItemWithChildrenToEquipmentSlot(equipmentSlots: string[], parentId: string, parentTpl: string, itemWithChildren: Item[], inventory: Inventory): ItemAddedResult; + /** + * Is the provided item allowed inside a container + * @param slotGrid Items sub-grid we want to place item inside + * @param itemTpl Item tpl being placed + * @returns True if allowed + */ + protected itemAllowedInContainer(slotGrid: Grid, itemTpl: string): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/ContainerHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/ContainerHelper.d.ts new file mode 100644 index 0000000..125fbcb --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/ContainerHelper.d.ts @@ -0,0 +1,40 @@ +export declare class FindSlotResult { + success: boolean; + x: any; + y: any; + rotation: boolean; + constructor(success?: boolean, x?: any, y?: any, rotation?: boolean); +} +export declare class ContainerHelper { + /** + * Finds a slot for an item in a given 2D container map + * @param container2D Array of container with slots filled/free + * @param itemWidth Width of item + * @param itemHeight Height of item + * @returns Location to place item in container + */ + findSlotForItem(container2D: number[][], itemWidth: number, itemHeight: number): FindSlotResult; + /** + * Find a slot inside a container an item can be placed in + * @param container2D Container to find space in + * @param containerX Container x size + * @param containerY Container y size + * @param x ??? + * @param y ??? + * @param itemW Items width + * @param itemH Items height + * @returns True - slot found + */ + protected locateSlot(container2D: number[][], containerX: number, containerY: number, x: number, y: number, itemW: number, itemH: number): boolean; + /** + * Find a free slot for an item to be placed at + * @param container2D Container to palce item in + * @param x Container x size + * @param y Container y size + * @param itemW Items width + * @param itemH Items height + * @param rotate is item rotated + * @returns Location to place item + */ + fillContainerMapWithItem(container2D: number[][], x: number, y: number, itemW: number, itemH: number, rotate: boolean): number[][]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/AbstractDialogueChatBot.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/AbstractDialogueChatBot.d.ts new file mode 100644 index 0000000..8034dc1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/AbstractDialogueChatBot.d.ts @@ -0,0 +1,20 @@ +import { IChatCommand, ICommandoCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; +import { IDialogueChatBot } from "@spt-aki/helpers/Dialogue/IDialogueChatBot"; +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +export declare abstract class AbstractDialogueChatBot implements IDialogueChatBot { + protected logger: ILogger; + protected mailSendService: MailSendService; + protected chatCommands: IChatCommand[] | ICommandoCommand[]; + constructor(logger: ILogger, mailSendService: MailSendService, chatCommands: IChatCommand[] | ICommandoCommand[]); + /** + * @deprecated use registerChatCommand instead + */ + registerCommandoCommand(chatCommand: IChatCommand | ICommandoCommand): void; + registerChatCommand(chatCommand: IChatCommand | ICommandoCommand): void; + abstract getChatBot(): IUserDialogInfo; + protected abstract getUnrecognizedCommandMessage(): string; + handleMessage(sessionId: string, request: ISendMessageRequest): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/IChatCommand.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/IChatCommand.d.ts new file mode 100644 index 0000000..247aea7 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/IChatCommand.d.ts @@ -0,0 +1,12 @@ +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +/** + * @deprecated Use IChatCommand instead + */ +export type ICommandoCommand = IChatCommand; +export interface IChatCommand { + getCommandPrefix(): string; + getCommandHelp(command: string): string; + getCommands(): Set; + handle(command: string, commandHandler: IUserDialogInfo, sessionId: string, request: ISendMessageRequest): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts new file mode 100644 index 0000000..8626984 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/SptCommandoCommands.d.ts @@ -0,0 +1,15 @@ +import { IChatCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; +import { ISptCommand } from "@spt-aki/helpers/Dialogue/Commando/SptCommands/ISptCommand"; +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +export declare class SptCommandoCommands implements IChatCommand { + protected configServer: ConfigServer; + protected sptCommands: ISptCommand[]; + constructor(configServer: ConfigServer, sptCommands: ISptCommand[]); + registerSptCommandoCommand(command: ISptCommand): void; + getCommandHelp(command: string): string; + getCommandPrefix(): string; + getCommands(): Set; + handle(command: string, commandHandler: IUserDialogInfo, sessionId: string, request: ISendMessageRequest): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts new file mode 100644 index 0000000..e7925bb --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/SptCommands/GiveSptCommand.d.ts @@ -0,0 +1,37 @@ +import { ISptCommand } from "@spt-aki/helpers/Dialogue/Commando/SptCommands/ISptCommand"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { PresetHelper } from "@spt-aki/helpers/PresetHelper"; +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { LocaleService } from "@spt-aki/services/LocaleService"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SavedCommand } from "@spt-aki/helpers/Dialogue/Commando/SptCommands/SavedCommand"; +export declare class GiveSptCommand implements ISptCommand { + protected logger: ILogger; + protected itemHelper: ItemHelper; + protected hashUtil: HashUtil; + protected jsonUtil: JsonUtil; + protected presetHelper: PresetHelper; + protected mailSendService: MailSendService; + protected localeService: LocaleService; + protected databaseServer: DatabaseServer; + /** + * Regex to account for all these cases: + * spt give "item name" 5 + * spt give templateId 5 + * spt give en "item name in english" 5 + * spt give es "nombre en español" 5 + * spt give 5 <== this is the reply when the algo isnt sure about an item + */ + private static commandRegex; + private static maxAllowedDistance; + protected savedCommand: SavedCommand; + constructor(logger: ILogger, itemHelper: ItemHelper, hashUtil: HashUtil, jsonUtil: JsonUtil, presetHelper: PresetHelper, mailSendService: MailSendService, localeService: LocaleService, databaseServer: DatabaseServer); + getCommand(): string; + getCommandHelp(): string; + performAction(commandHandler: IUserDialogInfo, sessionId: string, request: ISendMessageRequest): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/SptCommands/ISptCommand.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/SptCommands/ISptCommand.d.ts new file mode 100644 index 0000000..33732c7 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/SptCommands/ISptCommand.d.ts @@ -0,0 +1,7 @@ +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +export interface ISptCommand { + getCommand(): string; + getCommandHelp(): string; + performAction(commandHandler: IUserDialogInfo, sessionId: string, request: ISendMessageRequest): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/SptCommands/SavedCommand.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/SptCommands/SavedCommand.d.ts new file mode 100644 index 0000000..5f8d3a1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/Commando/SptCommands/SavedCommand.d.ts @@ -0,0 +1,6 @@ +export declare class SavedCommand { + quantity: number; + potentialItemNames: string[]; + locale: string; + constructor(quantity: number, potentialItemNames: string[], locale: string); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts new file mode 100644 index 0000000..391969f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/CommandoDialogueChatBot.d.ts @@ -0,0 +1,10 @@ +import { IChatCommand } from "@spt-aki/helpers/Dialogue/Commando/IChatCommand"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { AbstractDialogueChatBot } from "@spt-aki/helpers/Dialogue/AbstractDialogueChatBot"; +export declare class CommandoDialogueChatBot extends AbstractDialogueChatBot { + constructor(logger: ILogger, mailSendService: MailSendService, chatCommands: IChatCommand[]); + getChatBot(): IUserDialogInfo; + protected getUnrecognizedCommandMessage(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/IDialogueChatBot.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/IDialogueChatBot.d.ts new file mode 100644 index 0000000..b585d55 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/IDialogueChatBot.d.ts @@ -0,0 +1,6 @@ +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +export interface IDialogueChatBot { + getChatBot(): IUserDialogInfo; + handleMessage(sessionId: string, request: ISendMessageRequest): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/SptDialogueChatBot.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/SptDialogueChatBot.d.ts new file mode 100644 index 0000000..a852dfe --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/Dialogue/SptDialogueChatBot.d.ts @@ -0,0 +1,25 @@ +import { IDialogueChatBot } from "@spt-aki/helpers/Dialogue/IDialogueChatBot"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { ICoreConfig } from "@spt-aki/models/spt/config/ICoreConfig"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { GiftService } from "@spt-aki/services/GiftService"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class SptDialogueChatBot implements IDialogueChatBot { + protected profileHelper: ProfileHelper; + protected randomUtil: RandomUtil; + protected mailSendService: MailSendService; + protected giftService: GiftService; + protected configServer: ConfigServer; + protected coreConfig: ICoreConfig; + constructor(profileHelper: ProfileHelper, randomUtil: RandomUtil, mailSendService: MailSendService, giftService: GiftService, configServer: ConfigServer); + getChatBot(): IUserDialogInfo; + /** + * Send responses back to player when they communicate with SPT friend on friends list + * @param sessionId Session Id + * @param request send message request + */ + handleMessage(sessionId: string, request: ISendMessageRequest): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/DialogueHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/DialogueHelper.d.ts new file mode 100644 index 0000000..ea1b517 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/DialogueHelper.d.ts @@ -0,0 +1,50 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { NotificationSendHelper } from "@spt-aki/helpers/NotificationSendHelper"; +import { NotifierHelper } from "@spt-aki/helpers/NotifierHelper"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { Dialogue, MessageContent, MessagePreview } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { MessageType } from "@spt-aki/models/enums/MessageType"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +export declare class DialogueHelper { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected saveServer: SaveServer; + protected databaseServer: DatabaseServer; + protected notifierHelper: NotifierHelper; + protected notificationSendHelper: NotificationSendHelper; + protected localisationService: LocalisationService; + protected itemHelper: ItemHelper; + constructor(logger: ILogger, hashUtil: HashUtil, saveServer: SaveServer, databaseServer: DatabaseServer, notifierHelper: NotifierHelper, notificationSendHelper: NotificationSendHelper, localisationService: LocalisationService, itemHelper: ItemHelper); + /** + * @deprecated Use MailSendService.sendMessage() or helpers + */ + createMessageContext(templateId: string, messageType: MessageType, maxStoreTime?: any): MessageContent; + /** + * @deprecated Use MailSendService.sendMessage() or helpers + */ + addDialogueMessage(dialogueID: string, messageContent: MessageContent, sessionID: string, rewards?: Item[], messageType?: MessageType): void; + /** + * Get the preview contents of the last message in a dialogue. + * @param dialogue + * @returns MessagePreview + */ + getMessagePreview(dialogue: Dialogue): MessagePreview; + /** + * Get the item contents for a particular message. + * @param messageID + * @param sessionID + * @param itemId Item being moved to inventory + * @returns + */ + getMessageItemContents(messageID: string, sessionID: string, itemId: string): Item[]; + /** + * Get the dialogs dictionary for a profile, create if doesnt exist + * @param sessionId Session/player id + * @returns Dialog dictionary + */ + getDialogsForProfile(sessionId: string): Record; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/DurabilityLimitsHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/DurabilityLimitsHelper.d.ts new file mode 100644 index 0000000..efccdf5 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/DurabilityLimitsHelper.d.ts @@ -0,0 +1,54 @@ +import { BotHelper } from "@spt-aki/helpers/BotHelper"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { IBotConfig } from "@spt-aki/models/spt/config/IBotConfig"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class DurabilityLimitsHelper { + protected randomUtil: RandomUtil; + protected botHelper: BotHelper; + protected configServer: ConfigServer; + protected botConfig: IBotConfig; + constructor(randomUtil: RandomUtil, botHelper: BotHelper, configServer: ConfigServer); + /** + * Get max durability for a weapon based on bot role + * @param itemTemplate UNUSED - Item to get durability for + * @param botRole Role of bot to get max durability for + * @returns Max durability of weapon + */ + getRandomizedMaxWeaponDurability(itemTemplate: ITemplateItem, botRole: string): number; + /** + * Get max durability value for armor based on bot role + * @param itemTemplate Item to get max durability for + * @param botRole Role of bot to get max durability for + * @returns max durability + */ + getRandomizedMaxArmorDurability(itemTemplate: ITemplateItem, botRole: string): number; + /** + * Get randomised current weapon durability by bot role + * @param itemTemplate Unused - Item to get current durability of + * @param botRole Role of bot to get current durability for + * @param maxDurability Max durability of weapon + * @returns Current weapon durability + */ + getRandomizedWeaponDurability(itemTemplate: ITemplateItem, botRole: string, maxDurability: number): number; + /** + * Get randomised current armor durability by bot role + * @param itemTemplate Unused - Item to get current durability of + * @param botRole Role of bot to get current durability for + * @param maxDurability Max durability of armor + * @returns Current armor durability + */ + getRandomizedArmorDurability(itemTemplate: ITemplateItem, botRole: string, maxDurability: number): number; + protected generateMaxWeaponDurability(botRole: string): number; + protected generateMaxPmcArmorDurability(itemMaxDurability: number): number; + protected getLowestMaxWeaponFromConfig(botRole: string): number; + protected getHighestMaxWeaponDurabilityFromConfig(botRole: string): number; + protected generateWeaponDurability(botRole: string, maxDurability: number): number; + protected generateArmorDurability(botRole: string, maxDurability: number): number; + protected getMinWeaponDeltaFromConfig(botRole: string): number; + protected getMaxWeaponDeltaFromConfig(botRole: string): number; + protected getMinArmorDeltaFromConfig(botRole: string): number; + protected getMaxArmorDeltaFromConfig(botRole: string): number; + protected getMinArmorLimitPercentFromConfig(botRole: string): number; + protected getMinWeaponLimitPercentFromConfig(botRole: string): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/GameEventHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/GameEventHelper.d.ts new file mode 100644 index 0000000..555cda2 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/GameEventHelper.d.ts @@ -0,0 +1,9 @@ +import { ISeasonalEventConfig } from "@spt-aki/models/spt/config/ISeasonalEventConfig"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +export declare class GameEventHelper { + protected databaseServer: DatabaseServer; + protected configServer: ConfigServer; + protected seasonalEventConfig: ISeasonalEventConfig; + constructor(databaseServer: DatabaseServer, configServer: ConfigServer); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/HandbookHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/HandbookHelper.d.ts new file mode 100644 index 0000000..1e7dffa --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/HandbookHelper.d.ts @@ -0,0 +1,65 @@ +import { Category } from "@spt-aki/models/eft/common/tables/IHandbookBase"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +declare class LookupItem { + readonly byId: Map; + readonly byParent: Map; + constructor(); +} +export declare class LookupCollection { + readonly items: LookupItem; + readonly categories: LookupItem; + constructor(); +} +export declare class HandbookHelper { + protected databaseServer: DatabaseServer; + protected jsonUtil: JsonUtil; + protected lookupCacheGenerated: boolean; + protected handbookPriceCache: LookupCollection; + constructor(databaseServer: DatabaseServer, jsonUtil: JsonUtil); + /** + * Create an in-memory cache of all items with associated handbook price in handbookPriceCache class + */ + hydrateLookup(): void; + /** + * Get price from internal cache, if cache empty look up price directly in handbook (expensive) + * If no values found, return 1 + * @param tpl item tpl to look up price for + * @returns price in roubles + */ + getTemplatePrice(tpl: string): number; + /** + * Get all items in template with the given parent category + * @param parentId + * @returns string array + */ + templatesWithParent(parentId: string): string[]; + /** + * Does category exist in handbook cache + * @param category + * @returns true if exists in cache + */ + isCategory(category: string): boolean; + /** + * Get all items associated with a categories parent + * @param categoryParent + * @returns string array + */ + childrenCategories(categoryParent: string): string[]; + /** + * Convert non-roubles into roubles + * @param nonRoubleCurrencyCount Currency count to convert + * @param currencyTypeFrom What current currency is + * @returns Count in roubles + */ + inRUB(nonRoubleCurrencyCount: number, currencyTypeFrom: string): number; + /** + * Convert roubles into another currency + * @param roubleCurrencyCount roubles to convert + * @param currencyTypeTo Currency to convert roubles into + * @returns currency count in desired type + */ + fromRUB(roubleCurrencyCount: number, currencyTypeTo: string): number; + getCategoryById(handbookId: string): Category; +} +export {}; diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/HealthHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/HealthHelper.d.ts new file mode 100644 index 0000000..6aae71f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/HealthHelper.d.ts @@ -0,0 +1,60 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { ISyncHealthRequestData } from "@spt-aki/models/eft/health/ISyncHealthRequestData"; +import { Effects, IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { IHealthConfig } from "@spt-aki/models/spt/config/IHealthConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class HealthHelper { + protected jsonUtil: JsonUtil; + protected logger: ILogger; + protected timeUtil: TimeUtil; + protected saveServer: SaveServer; + protected configServer: ConfigServer; + protected healthConfig: IHealthConfig; + constructor(jsonUtil: JsonUtil, logger: ILogger, timeUtil: TimeUtil, saveServer: SaveServer, configServer: ConfigServer); + /** + * Resets the profiles vitality/health and vitality/effects properties to their defaults + * @param sessionID Session Id + * @returns updated profile + */ + resetVitality(sessionID: string): IAkiProfile; + /** + * Update player profile with changes from request object + * @param pmcData Player profile + * @param request Heal request + * @param sessionID Session id + * @param addEffects Should effects be added or removed (default - add) + * @param deleteExistingEffects Should all prior effects be removed before apply new ones + */ + saveVitality(pmcData: IPmcData, request: ISyncHealthRequestData, sessionID: string, addEffects?: boolean, deleteExistingEffects?: boolean): void; + /** + * Adjust hydration/energy/temperate and body part hp values in player profile to values in profile.vitality + * @param pmcData Profile to update + * @param sessionId Session id + */ + protected saveHealth(pmcData: IPmcData, sessionID: string): void; + /** + * Save effects to profile + * Works by removing all effects and adding them back from profile + * Removes empty 'Effects' objects if found + * @param pmcData Player profile + * @param sessionId Session id + * @param bodyPartsWithEffects dict of body parts with effects that should be added to profile + * @param addEffects Should effects be added back to profile + */ + protected saveEffects(pmcData: IPmcData, sessionId: string, bodyPartsWithEffects: Effects, deleteExistingEffects?: boolean): void; + /** + * Add effect to body part in profile + * @param pmcData Player profile + * @param effectBodyPart body part to edit + * @param effectType Effect to add to body part + * @param duration How long the effect has left in seconds (-1 by default, no duration). + */ + protected addEffect(pmcData: IPmcData, effectBodyPart: string, effectType: string, duration?: number): void; + protected isEmpty(map: Record): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/HideoutHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/HideoutHelper.d.ts new file mode 100644 index 0000000..0cfc649 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/HideoutHelper.d.ts @@ -0,0 +1,254 @@ +import { InventoryHelper } from "@spt-aki/helpers/InventoryHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { HideoutArea, IHideoutImprovement, Production, Productive } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { Upd } from "@spt-aki/models/eft/common/tables/IItem"; +import { StageBonus } from "@spt-aki/models/eft/hideout/IHideoutArea"; +import { IHideoutContinuousProductionStartRequestData } from "@spt-aki/models/eft/hideout/IHideoutContinuousProductionStartRequestData"; +import { IHideoutProduction } from "@spt-aki/models/eft/hideout/IHideoutProduction"; +import { IHideoutSingleProductionStartRequestData } from "@spt-aki/models/eft/hideout/IHideoutSingleProductionStartRequestData"; +import { IHideoutTakeProductionRequestData } from "@spt-aki/models/eft/hideout/IHideoutTakeProductionRequestData"; +import { IAddItemRequestData } from "@spt-aki/models/eft/inventory/IAddItemRequestData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IHideoutConfig } from "@spt-aki/models/spt/config/IHideoutConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { PlayerService } from "@spt-aki/services/PlayerService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class HideoutHelper { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected timeUtil: TimeUtil; + protected databaseServer: DatabaseServer; + protected eventOutputHolder: EventOutputHolder; + protected httpResponse: HttpResponseUtil; + protected profileHelper: ProfileHelper; + protected inventoryHelper: InventoryHelper; + protected playerService: PlayerService; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + static bitcoinFarm: string; + static waterCollector: string; + static bitcoin: string; + static expeditionaryFuelTank: string; + static maxSkillPoint: number; + protected hideoutConfig: IHideoutConfig; + constructor(logger: ILogger, hashUtil: HashUtil, timeUtil: TimeUtil, databaseServer: DatabaseServer, eventOutputHolder: EventOutputHolder, httpResponse: HttpResponseUtil, profileHelper: ProfileHelper, inventoryHelper: InventoryHelper, playerService: PlayerService, localisationService: LocalisationService, configServer: ConfigServer); + /** + * Add production to profiles' Hideout.Production array + * @param pmcData Profile to add production to + * @param body Production request + * @param sessionID Session id + * @returns client response + */ + registerProduction(pmcData: IPmcData, body: IHideoutSingleProductionStartRequestData | IHideoutContinuousProductionStartRequestData, sessionID: string): IItemEventRouterResponse; + /** + * This convenience function initializes new Production Object + * with all the constants. + */ + initProduction(recipeId: string, productionTime: number, needFuelForAllProductionTime: boolean): Production; + /** + * Is the provided object a Production type + * @param productive + * @returns + */ + isProductionType(productive: Productive): productive is Production; + /** + * Apply bonus to player profile given after completing hideout upgrades + * @param pmcData Profile to add bonus to + * @param bonus Bonus to add to profile + */ + applyPlayerUpgradesBonuses(pmcData: IPmcData, bonus: StageBonus): void; + /** + * Process a players hideout, update areas that use resources + increment production timers + * @param sessionID Session id + */ + updatePlayerHideout(sessionID: string): void; + /** + * Get various properties that will be passed to hideout update-related functions + * @param pmcData Player profile + * @returns Properties + */ + protected getHideoutProperties(pmcData: IPmcData): { + btcFarmCGs: number; + isGeneratorOn: boolean; + waterCollectorHasFilter: boolean; + }; + protected doesWaterCollectorHaveFilter(waterCollector: HideoutArea): boolean; + /** + * Update progress timer for water collector + * @param pmcData profile to update + * @param productionId id of water collection production to update + * @param hideoutProperties Hideout properties + */ + protected updateWaterCollectorProductionTimer(pmcData: IPmcData, productionId: string, hideoutProperties: { + btcFarmCGs?: number; + isGeneratorOn: boolean; + waterCollectorHasFilter: boolean; + }): void; + /** + * Iterate over productions and update their progress timers + * @param pmcData Profile to check for productions and update + * @param hideoutProperties Hideout properties + */ + protected updateProductionTimers(pmcData: IPmcData, hideoutProperties: { + btcFarmCGs: number; + isGeneratorOn: boolean; + waterCollectorHasFilter: boolean; + }): void; + /** + * Update a productions progress value based on the amount of time that has passed + * @param pmcData Player profile + * @param prodId Production id being crafted + * @param recipe Recipe data being crafted + * @param hideoutProperties + */ + protected updateProductionProgress(pmcData: IPmcData, prodId: string, recipe: IHideoutProduction, hideoutProperties: { + btcFarmCGs?: number; + isGeneratorOn: boolean; + waterCollectorHasFilter?: boolean; + }): void; + /** + * Check if a productions progress value matches its corresponding recipes production time value + * @param pmcData Player profile + * @param prodId Production id + * @param recipe Recipe being crafted + * @returns progress matches productionTime from recipe + */ + protected doesProgressMatchProductionTime(pmcData: IPmcData, prodId: string): boolean; + /** + * Update progress timer for scav case + * @param pmcData Profile to update + * @param productionId Id of scav case production to update + */ + protected updateScavCaseProductionTimer(pmcData: IPmcData, productionId: string): void; + /** + * Iterate over hideout areas that use resources (fuel/filters etc) and update associated values + * @param sessionID Session id + * @param pmcData Profile to update areas of + * @param hideoutProperties hideout properties + */ + protected updateAreasWithResources(sessionID: string, pmcData: IPmcData, hideoutProperties: { + btcFarmCGs: number; + isGeneratorOn: boolean; + waterCollectorHasFilter: boolean; + }): void; + protected updateFuel(generatorArea: HideoutArea, pmcData: IPmcData): void; + protected updateWaterCollector(sessionId: string, pmcData: IPmcData, area: HideoutArea, isGeneratorOn: boolean): void; + /** + * Adjust water filter objects resourceValue or delete when they reach 0 resource + * @param waterFilterArea water filter area to update + * @param production production object + * @param isGeneratorOn is generator enabled + * @param pmcData Player profile + * @returns Updated HideoutArea object + */ + protected updateWaterFilters(waterFilterArea: HideoutArea, production: Production, isGeneratorOn: boolean, pmcData: IPmcData): HideoutArea; + /** + * Get an adjusted water filter drain rate based on time elapsed since last run, + * handle edge case when craft time has gone on longer than total production time + * @param secondsSinceServerTick Time passed + * @param totalProductionTime Total time collecting water + * @param productionProgress how far water collector has progressed + * @param baseFilterDrainRate Base drain rate + * @returns + */ + protected adjustWaterFilterDrainRate(secondsSinceServerTick: number, totalProductionTime: number, productionProgress: number, baseFilterDrainRate: number): number; + /** + * Get the water filter drain rate based on hideout bonues player has + * @param pmcData Player profile + * @returns Drain rate + */ + protected getWaterFilterDrainRate(pmcData: IPmcData): number; + /** + * Get the production time in seconds for the desired production + * @param prodId Id, e.g. Water collector id + * @returns seconds to produce item + */ + protected getTotalProductionTimeSeconds(prodId: string): number; + /** + * Create a upd object using passed in parameters + * @param stackCount + * @param resourceValue + * @param resourceUnitsConsumed + * @returns Upd + */ + protected getAreaUpdObject(stackCount: number, resourceValue: number, resourceUnitsConsumed: number): Upd; + protected updateAirFilters(airFilterArea: HideoutArea, pmcData: IPmcData): void; + protected updateBitcoinFarm(pmcData: IPmcData, btcFarmCGs: number, isGeneratorOn: boolean): Production; + /** + * Add bitcoin object to btc production products array and set progress time + * @param btcProd Bitcoin production object + * @param coinCraftTimeSeconds Time to craft a bitcoin + */ + protected addBtcToProduction(btcProd: Production, coinCraftTimeSeconds: number): void; + /** + * Get number of ticks that have passed since hideout areas were last processed, reduced when generator is off + * @param pmcData Player profile + * @param isGeneratorOn Is the generator on for the duration of elapsed time + * @param recipe Hideout production recipe being crafted we need the ticks for + * @returns Amount of time elapsed in seconds + */ + protected getTimeElapsedSinceLastServerTick(pmcData: IPmcData, isGeneratorOn: boolean, recipe?: IHideoutProduction): number; + /** + * Get a count of how many BTC can be gathered by the profile + * @param pmcData Profile to look up + * @returns coin slot count + */ + protected getBTCSlots(pmcData: IPmcData): number; + /** + * Get a count of bitcoins player miner can hold + */ + protected getBitcoinMinerContainerSlotSize(): number; + /** + * HideoutManagement skill gives a consumption bonus the higher the level + * 0.5% per level per 1-51, (25.5% at max) + * @param pmcData Profile to get hideout consumption level level from + * @returns consumption bonus + */ + protected getHideoutManagementConsumptionBonus(pmcData: IPmcData): number; + /** + * Adjust craft time based on crafting skill level found in player profile + * @param pmcData Player profile + * @param productionTime Time to complete hideout craft in seconds + * @returns Adjusted craft time in seconds + */ + protected getCraftingSkillProductionTimeReduction(pmcData: IPmcData, productionTime: number): number; + isProduction(productive: Productive): productive is Production; + /** + * Gather crafted BTC from hideout area and add to inventory + * Reset production start timestamp if hideout area at full coin capacity + * @param pmcData Player profile + * @param request Take production request + * @param sessionId Session id + * @returns IItemEventRouterResponse + */ + getBTC(pmcData: IPmcData, request: IHideoutTakeProductionRequestData, sessionId: string): IItemEventRouterResponse; + /** + * Create a single bitcoin request object + * @param pmcData Player profile + * @returns IAddItemRequestData + */ + protected createBitcoinRequest(pmcData: IPmcData): IAddItemRequestData; + /** + * Upgrade hideout wall from starting level to interactable level if necessary stations have been upgraded + * @param pmcProfile Profile to upgrade wall in + */ + unlockHideoutWallInProfile(pmcProfile: IPmcData): void; + /** + * Hideout improvement is flagged as complete + * @param improvement hideout improvement object + * @returns true if complete + */ + protected hideoutImprovementIsComplete(improvement: IHideoutImprovement): boolean; + /** + * Iterate over hideout improvements not completed and check if they need to be adjusted + * @param pmcProfile Profile to adjust + */ + setHideoutImprovementsToCompleted(pmcProfile: IPmcData): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/HttpServerHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/HttpServerHelper.d.ts new file mode 100644 index 0000000..d67b4ec --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/HttpServerHelper.d.ts @@ -0,0 +1,32 @@ +import { IHttpConfig } from "@spt-aki/models/spt/config/IHttpConfig"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +export declare class HttpServerHelper { + protected configServer: ConfigServer; + protected httpConfig: IHttpConfig; + protected mime: { + css: string; + bin: string; + html: string; + jpg: string; + js: string; + json: string; + png: string; + svg: string; + txt: string; + }; + constructor(configServer: ConfigServer); + getMimeText(key: string): string; + /** + * Combine ip and port into url + * @returns url + */ + buildUrl(): string; + /** + * Prepend http to the url:port + * @returns URI + */ + getBackendUrl(): string; + /** Get websocket url + port */ + getWebsocketUrl(): string; + sendTextJson(resp: any, output: any): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/InRaidHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/InRaidHelper.d.ts new file mode 100644 index 0000000..b2bba8c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/InRaidHelper.d.ts @@ -0,0 +1,167 @@ +import { InventoryHelper } from "@spt-aki/helpers/InventoryHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { PaymentHelper } from "@spt-aki/helpers/PaymentHelper"; +import { QuestHelper } from "@spt-aki/helpers/QuestHelper"; +import { IPmcData, IPostRaidPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IQuestStatus, TraderInfo, Victim } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ISaveProgressRequestData } from "@spt-aki/models/eft/inRaid/ISaveProgressRequestData"; +import { IInRaidConfig } from "@spt-aki/models/spt/config/IInRaidConfig"; +import { ILostOnDeathConfig } from "@spt-aki/models/spt/config/ILostOnDeathConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { ProfileFixerService } from "@spt-aki/services/ProfileFixerService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +import { ProfileHelper } from "./ProfileHelper"; +export declare class InRaidHelper { + protected logger: ILogger; + protected timeUtil: TimeUtil; + protected saveServer: SaveServer; + protected jsonUtil: JsonUtil; + protected itemHelper: ItemHelper; + protected databaseServer: DatabaseServer; + protected inventoryHelper: InventoryHelper; + protected profileHelper: ProfileHelper; + protected questHelper: QuestHelper; + protected paymentHelper: PaymentHelper; + protected localisationService: LocalisationService; + protected profileFixerService: ProfileFixerService; + protected configServer: ConfigServer; + protected lostOnDeathConfig: ILostOnDeathConfig; + protected inRaidConfig: IInRaidConfig; + constructor(logger: ILogger, timeUtil: TimeUtil, saveServer: SaveServer, jsonUtil: JsonUtil, itemHelper: ItemHelper, databaseServer: DatabaseServer, inventoryHelper: InventoryHelper, profileHelper: ProfileHelper, questHelper: QuestHelper, paymentHelper: PaymentHelper, localisationService: LocalisationService, profileFixerService: ProfileFixerService, configServer: ConfigServer); + /** + * Lookup quest item loss from lostOnDeath config + * @returns True if items should be removed from inventory + */ + removeQuestItemsOnDeath(): boolean; + /** + * Check items array and add an upd object to money with a stack count of 1 + * Single stack money items have no upd object and thus no StackObjectsCount, causing issues + * @param items Items array to check + */ + addUpdToMoneyFromRaid(items: Item[]): void; + /** + * Add karma changes up and return the new value + * @param existingFenceStanding Current fence standing level + * @param victims Array of kills player performed + * @returns adjusted karma level after kills are taken into account + */ + calculateFenceStandingChangeFromKills(existingFenceStanding: number, victims: Victim[]): number; + /** + * Get the standing gain/loss for killing an npc + * @param victim Who was killed by player + * @returns a numerical standing gain or loss + */ + protected getFenceStandingChangeForKillAsScav(victim: Victim): number; + /** + * Reset a profile to a baseline, used post-raid + * Reset points earned during session property + * Increment exp + * @param profileData Profile to update + * @param saveProgressRequest post raid save data request data + * @param sessionID Session id + * @returns Reset profile object + */ + updateProfileBaseStats(profileData: IPmcData, saveProgressRequest: ISaveProgressRequestData, sessionID: string): void; + /** + * Reset the skill points earned in a raid to 0, ready for next raid + * @param profile Profile to update + */ + protected resetSkillPointsEarnedDuringRaid(profile: IPmcData): void; + /** Check counters are correct in profile */ + protected validateBackendCounters(saveProgressRequest: ISaveProgressRequestData, profileData: IPmcData): void; + /** + * Update various serverPMC profile values; quests/limb hp/trader standing with values post-raic + * @param pmcData Server PMC profile + * @param saveProgressRequest Post-raid request data + * @param sessionId Session id + */ + updatePmcProfileDataPostRaid(pmcData: IPmcData, saveProgressRequest: ISaveProgressRequestData, sessionId: string): void; + /** + * Update scav quest values on server profile with updated values post-raid + * @param scavData Server scav profile + * @param saveProgressRequest Post-raid request data + * @param sessionId Session id + */ + updateScavProfileDataPostRaid(scavData: IPmcData, saveProgressRequest: ISaveProgressRequestData, sessionId: string): void; + /** + * Look for quests with a status different from what it began the raid with + * @param sessionId Player id + * @param pmcData Player profile + * @param preRaidQuests Quests prior to starting raid + * @param postRaidProfile Profile sent by client with post-raid quests + */ + protected processAlteredQuests(sessionId: string, pmcData: IPmcData, preRaidQuests: IQuestStatus[], postRaidProfile: IPostRaidPmcData): void; + /** + * Take body part effects from client profile and apply to server profile + * @param saveProgressRequest post-raid request + * @param profileData player profile on server + */ + protected transferPostRaidLimbEffectsToProfile(saveProgressRequest: ISaveProgressRequestData, profileData: IPmcData): void; + /** + * Adjust server trader settings if they differ from data sent by client + * @param tradersServerProfile Server + * @param tradersClientProfile Client + */ + protected applyTraderStandingAdjustments(tradersServerProfile: Record, tradersClientProfile: Record): void; + /** + * Set the SPT inraid location Profile property to 'none' + * @param sessionID Session id + */ + protected setPlayerInRaidLocationStatusToNone(sessionID: string): void; + /** + * Iterate over inventory items and remove the property that defines an item as Found in Raid + * Only removes property if item had FiR when entering raid + * @param postRaidProfile profile to update items for + * @returns Updated profile with SpawnedInSession removed + */ + removeSpawnedInSessionPropertyFromItems(postRaidProfile: IPostRaidPmcData): IPostRaidPmcData; + /** + * Update a players inventory post-raid + * Remove equipped items from pre-raid + * Add new items found in raid to profile + * Store insurance items in profile + * @param sessionID Session id + * @param serverProfile Profile to update + * @param postRaidProfile Profile returned by client after a raid + * @returns Updated profile + */ + setInventory(sessionID: string, serverProfile: IPmcData, postRaidProfile: IPmcData): IPmcData; + /** + * Clear pmc inventory of all items except those that are exempt + * Used post-raid to remove items after death + * @param pmcData Player profile + * @param sessionID Session id + */ + deleteInventory(pmcData: IPmcData, sessionID: string): void; + /** + * Get an array of items from a profile that will be lost on death + * @param pmcProfile Profile to get items from + * @returns Array of items lost on death + */ + protected getInventoryItemsLostOnDeath(pmcProfile: IPmcData): Item[]; + /** + * Get items in vest/pocket/backpack inventory containers (excluding children) + * @param pmcData Player profile + * @returns Item array + */ + protected getBaseItemsInRigPocketAndBackpack(pmcData: IPmcData): Item[]; + /** + * Does the provided items slotId mean its kept on the player after death + * @pmcData Player profile + * @itemToCheck Item to check should be kept + * @returns true if item is kept after death + */ + protected isItemKeptAfterDeath(pmcData: IPmcData, itemToCheck: Item): boolean; + /** + * Return the equipped items from a players inventory + * @param items Players inventory to search through + * @returns an array of equipped items + */ + getPlayerGear(items: Item[]): Item[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/InventoryHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/InventoryHelper.d.ts new file mode 100644 index 0000000..0bf2925 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/InventoryHelper.d.ts @@ -0,0 +1,182 @@ +import { ContainerHelper } from "@spt-aki/helpers/ContainerHelper"; +import { DialogueHelper } from "@spt-aki/helpers/DialogueHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { PaymentHelper } from "@spt-aki/helpers/PaymentHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { TraderAssortHelper } from "@spt-aki/helpers/TraderAssortHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Inventory } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { AddItem, IAddItemRequestData } from "@spt-aki/models/eft/inventory/IAddItemRequestData"; +import { IAddItemTempObject } from "@spt-aki/models/eft/inventory/IAddItemTempObject"; +import { IInventoryMergeRequestData } from "@spt-aki/models/eft/inventory/IInventoryMergeRequestData"; +import { IInventoryMoveRequestData } from "@spt-aki/models/eft/inventory/IInventoryMoveRequestData"; +import { IInventoryRemoveRequestData } from "@spt-aki/models/eft/inventory/IInventoryRemoveRequestData"; +import { IInventorySplitRequestData } from "@spt-aki/models/eft/inventory/IInventorySplitRequestData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IInventoryConfig, RewardDetails } from "@spt-aki/models/spt/config/IInventoryConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { FenceService } from "@spt-aki/services/FenceService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export interface OwnerInventoryItems { + /** Inventory items from source */ + from: Item[]; + /** Inventory items at destination */ + to: Item[]; + sameInventory: boolean; + isMail: boolean; +} +export declare class InventoryHelper { + protected logger: ILogger; + protected jsonUtil: JsonUtil; + protected hashUtil: HashUtil; + protected httpResponse: HttpResponseUtil; + protected fenceService: FenceService; + protected databaseServer: DatabaseServer; + protected paymentHelper: PaymentHelper; + protected traderAssortHelper: TraderAssortHelper; + protected dialogueHelper: DialogueHelper; + protected itemHelper: ItemHelper; + protected containerHelper: ContainerHelper; + protected profileHelper: ProfileHelper; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected inventoryConfig: IInventoryConfig; + constructor(logger: ILogger, jsonUtil: JsonUtil, hashUtil: HashUtil, httpResponse: HttpResponseUtil, fenceService: FenceService, databaseServer: DatabaseServer, paymentHelper: PaymentHelper, traderAssortHelper: TraderAssortHelper, dialogueHelper: DialogueHelper, itemHelper: ItemHelper, containerHelper: ContainerHelper, profileHelper: ProfileHelper, localisationService: LocalisationService, configServer: ConfigServer); + /** + * BUG: Passing the same item multiple times with a count of 1 will cause multiples of that item to be added (e.g. x3 separate objects of tar cola with count of 1 = 9 tarcolas being added to inventory) + * @param pmcData Profile to add items to + * @param request request data to add items + * @param output response to send back to client + * @param sessionID Session id + * @param callback Code to execute later (function) + * @param foundInRaid Will results added to inventory be set as found in raid + * @param addUpd Additional upd properties for items being added to inventory + * @param useSortingTable Allow items to go into sorting table when stash has no space + * @returns IItemEventRouterResponse + */ + addItem(pmcData: IPmcData, request: IAddItemRequestData, output: IItemEventRouterResponse, sessionID: string, callback: () => void, foundInRaid?: boolean, addUpd?: any, useSortingTable?: boolean): IItemEventRouterResponse; + /** + * Take the given item, find a free slot in passed in inventory and place it there + * If no space in inventory, place in sorting table + * @param itemToAdd Item to add to inventory + * @param stashFS2D Two dimentional stash map + * @param sortingTableFS2D Two dimentional sorting table stash map + * @param itemLib + * @param pmcData Player profile + * @param useSortingTable Should sorting table be used for overflow items when no inventory space for item + * @param output Client output object + * @returns Client error output if placing item failed + */ + protected placeItemInInventory(itemToAdd: IAddItemTempObject, stashFS2D: number[][], sortingTableFS2D: number[][], itemLib: Item[], playerInventory: Inventory, useSortingTable: boolean, output: IItemEventRouterResponse): IItemEventRouterResponse; + /** + * Add ammo to ammo boxes + * @param itemToAdd Item to check is ammo box + * @param parentId Ammo box parent id + * @param output IItemEventRouterResponse object + * @param sessionID Session id + * @param pmcData Profile to add ammobox to + * @param output object to send to client + * @param foundInRaid should ammo be FiR + */ + protected hydrateAmmoBoxWithAmmo(pmcData: IPmcData, itemToAdd: IAddItemTempObject, parentId: string, sessionID: string, output: IItemEventRouterResponse, foundInRaid: boolean): void; + /** + * @param assortItems Items to add to inventory + * @param requestItem Details of purchased item to add to inventory + * @param result Array split stacks are added to + */ + protected splitStackIntoSmallerStacks(assortItems: Item[], requestItem: AddItem, result: IAddItemTempObject[]): void; + /** + * Handle Remove event + * Remove item from player inventory + insured items array + * Also deletes child items + * @param profile Profile to remove item from (pmc or scav) + * @param itemId Items id to remove + * @param sessionID Session id + * @param output Existing IItemEventRouterResponse object to append data to, creates new one by default if not supplied + * @returns IItemEventRouterResponse + */ + removeItem(profile: IPmcData, itemId: string, sessionID: string, output?: IItemEventRouterResponse): IItemEventRouterResponse; + removeItemAndChildrenFromMailRewards(sessionId: string, removeRequest: IInventoryRemoveRequestData, output: IItemEventRouterResponse): IItemEventRouterResponse; + removeItemByCount(pmcData: IPmcData, itemId: string, count: number, sessionID: string, output?: IItemEventRouterResponse): IItemEventRouterResponse; + getItemSize(itemTpl: string, itemID: string, inventoryItem: Item[]): number[]; + protected getSizeByInventoryItemHash(itemTpl: string, itemID: string, inventoryItemHash: InventoryHelper.InventoryItemHash): number[]; + protected getInventoryItemHash(inventoryItem: Item[]): InventoryHelper.InventoryItemHash; + getContainerMap(containerW: number, containerH: number, itemList: Item[], containerId: string): number[][]; + /** + * Return the inventory that needs to be modified (scav/pmc etc) + * Changes made to result apply to character inventory + * Based on the item action, determine whose inventories we should be looking at for from and to. + * @param request Item interaction request + * @param sessionId Session id / playerid + * @returns OwnerInventoryItems with inventory of player/scav to adjust + */ + getOwnerInventoryItems(request: IInventoryMoveRequestData | IInventorySplitRequestData | IInventoryMergeRequestData, sessionId: string): OwnerInventoryItems; + /** + * Made a 2d array table with 0 - free slot and 1 - used slot + * @param {Object} pmcData + * @param {string} sessionID + * @returns Array + */ + protected getStashSlotMap(pmcData: IPmcData, sessionID: string): number[][]; + protected getSortingTableSlotMap(pmcData: IPmcData): number[][]; + /** + * Get Player Stash Proper Size + * @param sessionID Playerid + * @returns Array of 2 values, x and y stash size + */ + protected getPlayerStashSize(sessionID: string): Record; + /** + * Get the players stash items tpl + * @param sessionID Player id + * @returns Stash tpl + */ + protected getStashType(sessionID: string): string; + /** + * Internal helper function to transfer an item from one profile to another. + * @param fromItems Inventory of the source (can be non-player) + * @param toItems Inventory of the destination + * @param body Move request + */ + moveItemToProfile(fromItems: Item[], toItems: Item[], body: IInventoryMoveRequestData): void; + /** + * Internal helper function to move item within the same profile_f. + * @param pmcData profile to edit + * @param inventoryItems + * @param moveRequest + * @returns True if move was successful + */ + moveItemInternal(pmcData: IPmcData, inventoryItems: Item[], moveRequest: IInventoryMoveRequestData): { + success: boolean; + errorMessage?: string; + }; + /** + * Update fast panel bindings when an item is moved into a container that doesnt allow quick slot access + * @param pmcData Player profile + * @param itemBeingMoved item being moved + */ + protected updateFastPanelBinding(pmcData: IPmcData, itemBeingMoved: Item): void; + /** + * Internal helper function to handle cartridges in inventory if any of them exist. + */ + protected handleCartridges(items: Item[], body: IInventoryMoveRequestData): void; + /** + * Get details for how a random loot container should be handled, max rewards, possible reward tpls + * @param itemTpl Container being opened + * @returns Reward details + */ + getRandomLootContainerRewardDetails(itemTpl: string): RewardDetails; + getInventoryConfig(): IInventoryConfig; +} +declare namespace InventoryHelper { + interface InventoryItemHash { + byItemId: Record; + byParentId: Record; + } +} +export {}; diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/ItemHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/ItemHelper.d.ts new file mode 100644 index 0000000..c7daa8c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/ItemHelper.d.ts @@ -0,0 +1,358 @@ +import { HandbookHelper } from "@spt-aki/helpers/HandbookHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { InsuredItem } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { Item, Repairable } from "@spt-aki/models/eft/common/tables/IItem"; +import { IStaticAmmoDetails } from "@spt-aki/models/eft/common/tables/ILootBase"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { ItemBaseClassService } from "@spt-aki/services/ItemBaseClassService"; +import { ItemFilterService } from "@spt-aki/services/ItemFilterService"; +import { LocaleService } from "@spt-aki/services/LocaleService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { MathUtil } from "@spt-aki/utils/MathUtil"; +import { ObjectId } from "@spt-aki/utils/ObjectId"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class ItemHelper { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected jsonUtil: JsonUtil; + protected randomUtil: RandomUtil; + protected objectId: ObjectId; + protected mathUtil: MathUtil; + protected databaseServer: DatabaseServer; + protected handbookHelper: HandbookHelper; + protected itemBaseClassService: ItemBaseClassService; + protected itemFilterService: ItemFilterService; + protected localisationService: LocalisationService; + protected localeService: LocaleService; + protected readonly defaultInvalidBaseTypes: string[]; + constructor(logger: ILogger, hashUtil: HashUtil, jsonUtil: JsonUtil, randomUtil: RandomUtil, objectId: ObjectId, mathUtil: MathUtil, databaseServer: DatabaseServer, handbookHelper: HandbookHelper, itemBaseClassService: ItemBaseClassService, itemFilterService: ItemFilterService, localisationService: LocalisationService, localeService: LocaleService); + /** + * Checks if an id is a valid item. Valid meaning that it's an item that be stored in stash + * @param {string} tpl the template id / tpl + * @returns boolean; true for items that may be in player possession and not quest items + */ + isValidItem(tpl: string, invalidBaseTypes?: string[]): boolean; + /** + * Check if the tpl / template Id provided is a descendent of the baseclass + * + * @param {string} tpl the item template id to check + * @param {string} baseClassTpl the baseclass to check for + * @return {boolean} is the tpl a descendent? + */ + isOfBaseclass(tpl: string, baseClassTpl: string): boolean; + /** + * Check if item has any of the supplied base classes + * @param tpl Item to check base classes of + * @param baseClassTpls base classes to check for + * @returns true if any supplied base classes match + */ + isOfBaseclasses(tpl: string, baseClassTpls: string[]): boolean; + /** + * Returns the item price based on the handbook or as a fallback from the prices.json if the item is not + * found in the handbook. If the price can't be found at all return 0 + * @param tpl Item to look price up of + * @returns Price in roubles + */ + getItemPrice(tpl: string): number; + /** + * Returns the item price based on the handbook or as a fallback from the prices.json if the item is not + * found in the handbook. If the price can't be found at all return 0 + * @param tpl Item to look price up of + * @returns Price in roubles + */ + getItemMaxPrice(tpl: string): number; + /** + * Get the static (handbook) price in roubles for an item by tpl + * @param tpl Items tpl id to look up price + * @returns Price in roubles (0 if not found) + */ + getStaticItemPrice(tpl: string): number; + /** + * Get the dynamic (flea) price in roubles for an item by tpl + * @param tpl Items tpl id to look up price + * @returns Price in roubles (undefined if not found) + */ + getDynamicItemPrice(tpl: string): number; + /** + * Update items upd.StackObjectsCount to be 1 if its upd is missing or StackObjectsCount is undefined + * @param item Item to update + * @returns Fixed item + */ + fixItemStackCount(item: Item): Item; + /** + * AmmoBoxes contain StackSlots which need to be filled for the AmmoBox to have content. + * Here's what a filled AmmoBox looks like: + * { + * "_id": "b1bbe982daa00ac841d4ae4d", + * "_tpl": "57372c89245977685d4159b1", + * "parentId": "5fe49a0e2694b0755a504876", + * "slotId": "hideout", + * "location": { + * "x": 3, + * "y": 4, + * "r": 0 + * }, + * "upd": { + * "StackObjectsCount": 1 + * } + * }, + * { + * "_id": "b997b4117199033afd274a06", + * "_tpl": "56dff061d2720bb5668b4567", + * "parentId": "b1bbe982daa00ac841d4ae4d", + * "slotId": "cartridges", + * "location": 0, + * "upd": { + * "StackObjectsCount": 30 + * } + * } + * Given the AmmoBox Item (first object) this function generates the StackSlot (second object) and returns it. + * StackSlots are only used for AmmoBoxes which only have one element in StackSlots. However, it seems to be generic + * to possibly also have more than one StackSlot. As good as possible, without seeing items having more than one + * StackSlot, this function takes account of this and creates and returns an array of StackSlotItems + * + * @param {object} item The item template of the AmmoBox as given in items.json + * @param {string} parentId The id of the AmmoBox instance these StackSlotItems should be children of + * @returns {array} The array of StackSlotItems + */ + generateItemsFromStackSlot(item: ITemplateItem, parentId: string): Item[]; + /** + * Get cloned copy of all item data from items.json + * @returns array of ITemplateItem objects + */ + getItems(): ITemplateItem[]; + /** + * Gets item data from items.json + * @param tpl items template id to look up + * @returns bool - is valid + template item object as array + */ + getItem(tpl: string): [boolean, ITemplateItem]; + isItemInDb(tpl: string): boolean; + /** + * get normalized value (0-1) based on item condition + * @param item + * @returns number between 0 and 1 + */ + getItemQualityModifier(item: Item): number; + /** + * Get a quality value based on a repairable items (weapon/armor) current state between current and max durability + * @param itemDetails Db details for item we want quality value for + * @param repairable Repairable properties + * @param item Item quality value is for + * @returns A number between 0 and 1 + */ + protected getRepairableItemQualityValue(itemDetails: ITemplateItem, repairable: Repairable, item: Item): number; + /** + * Recursive function that looks at every item from parameter and gets their childrens Ids + includes parent item in results + * @param items Array of items (item + possible children) + * @param itemId Parent items id + * @returns an array of strings + */ + findAndReturnChildrenByItems(items: Item[], itemId: string): string[]; + /** + * A variant of findAndReturnChildren where the output is list of item objects instead of their ids. + * @param items + * @param baseItemId + * @returns An array of Item objects + */ + findAndReturnChildrenAsItems(items: Item[], baseItemId: string): Item[]; + /** + * Find children of the item in a given assort (weapons parts for example, need recursive loop function) + * @param itemIdToFind Template id of item to check for + * @param assort Array of items to check in + * @returns Array of children of requested item + */ + findAndReturnChildrenByAssort(itemIdToFind: string, assort: Item[]): Item[]; + /** + * Check if the passed in item has buy count restrictions + * @param itemToCheck Item to check + * @returns true if it has buy restrictions + */ + hasBuyRestrictions(itemToCheck: Item): boolean; + /** + * is the passed in template id a dog tag + * @param tpl Template id to check + * @returns true if it is a dogtag + */ + isDogtag(tpl: string): boolean; + /** + * Gets the identifier for a child using slotId, locationX and locationY. + * @param item + * @returns "slotId OR slotid,locationX,locationY" + */ + getChildId(item: Item): string; + /** + * Can the passed in item be stacked + * @param tpl item to check + * @returns true if it can be stacked + */ + isItemTplStackable(tpl: string): boolean; + /** + * split item stack if it exceeds its items StackMaxSize property + * @param itemToSplit Item to split into smaller stacks + * @returns Array of split items + */ + splitStack(itemToSplit: Item): Item[]; + /** + * Find Barter items from array of items + * @param {string} by tpl or id + * @param {Item[]} items Array of items to iterate over + * @param {string} barterItemId + * @returns Array of Item objects + */ + findBarterItems(by: "tpl" | "id", items: Item[], barterItemId: string): Item[]; + /** + * Regenerate all guids with new ids, exceptions are for items that cannot be altered (e.g. stash/sorting table) + * @param pmcData Player profile + * @param items Items to adjust ID values of + * @param insuredItems insured items to not replace ids for + * @param fastPanel + * @returns Item[] + */ + replaceIDs(pmcData: IPmcData, items: Item[], insuredItems?: InsuredItem[], fastPanel?: any): Item[]; + /** + * WARNING, SLOW. Recursively loop down through an items hierarchy to see if any of the ids match the supplied list, return true if any do + * @param {string} tpl Items tpl to check parents of + * @param {Array} tplsToCheck Tpl values to check if parents of item match + * @returns boolean Match found + */ + doesItemOrParentsIdMatch(tpl: string, tplsToCheck: string[]): boolean; + /** + * Check if item is quest item + * @param tpl Items tpl to check quest status of + * @returns true if item is flagged as quest item + */ + isQuestItem(tpl: string): boolean; + /** + * Checks to see if the item is *actually* moddable in-raid. Checks include the items existence in the database, the + * parent items existence in the database, the existence (and value) of the items RaidModdable property, and that + * the parents slot-required property exists, matches that of the item, and it's value. + * + * Note: this function does not preform any checks to see if the item and parent are *actually* related. + * + * @param item The item to be checked + * @param parent The parent of the item to be checked + * @returns True if the item is actually moddable, false if it is not, and null if the check cannot be performed. + */ + isRaidModdable(item: Item, parent: Item): boolean | null; + /** + * Retrieves the main parent item for a given attachment item. + * + * This method traverses up the hierarchy of items starting from a given `itemId`, until it finds the main parent + * item that is not an attached attachment itself. In other words, if you pass it an item id of a suppressor, it + * will traverse up the muzzle brake, barrel, upper receiver, and return the gun that the suppressor is ultimately + * attached to, even if that gun is located within multiple containers. + * + * It's important to note that traversal is expensive, so this method requires that you pass it a Map of the items + * to traverse, where the keys are the item IDs and the values are the corresponding Item objects. This alleviates + * some of the performance concerns, as it allows for quick lookups of items by ID. + * + * To generate the map: + * ``` + * const itemsMap = new Map(); + * items.forEach(item => itemsMap.set(item._id, item)); + * ``` + * + * @param itemId - The unique identifier of the item for which to find the main parent. + * @param itemsMap - A Map containing item IDs mapped to their corresponding Item objects for quick lookup. + * @returns The Item object representing the top-most parent of the given item, or `null` if no such parent exists. + */ + getAttachmentMainParent(itemId: string, itemsMap: Map): Item | null; + /** + * Determines if an item is an attachment that is currently attached to it's parent item. + * + * @param item The item to check. + * @returns true if the item is attached attachment, otherwise false. + */ + isAttachmentAttached(item: Item): boolean; + /** + * Get the inventory size of an item + * @param items Item with children + * @param rootItemId + * @returns ItemSize object (width and height) + */ + getItemSize(items: Item[], rootItemId: string): ItemHelper.ItemSize; + /** + * Get a random cartridge from an items Filter property + * @param item Db item template to look up Cartridge filter values from + * @returns Caliber of cartridge + */ + getRandomCompatibleCaliberTemplateId(item: ITemplateItem): string; + /** + * Add cartridges to the ammo box with correct max stack sizes + * @param ammoBox Box to add cartridges to + * @param ammoBoxDetails Item template from items db + */ + addCartridgesToAmmoBox(ammoBox: Item[], ammoBoxDetails: ITemplateItem): void; + /** + * Check if item is stored inside of a container + * @param item Item to check is inside of container + * @param desiredContainerSlotId Name of slot to check item is in e.g. SecuredContainer/Backpack + * @param items Inventory with child parent items to check + * @returns True when item is in container + */ + itemIsInsideContainer(item: Item, desiredContainerSlotId: string, items: Item[]): boolean; + /** + * Add child items (cartridges) to a magazine + * @param magazine Magazine to add child items to + * @param magTemplate Db template of magazine + * @param staticAmmoDist Cartridge distribution + * @param caliber Caliber of cartridge to add to magazine + * @param minSizePercent % the magazine must be filled to + */ + fillMagazineWithRandomCartridge(magazine: Item[], magTemplate: ITemplateItem, staticAmmoDist: Record, caliber?: string, minSizePercent?: number): void; + /** + * Add child items to a magazine of a specific cartridge + * @param magazine Magazine to add child items to + * @param magTemplate Db template of magazine + * @param cartridgeTpl Cartridge to add to magazine + * @param minSizePercent % the magazine must be filled to + */ + fillMagazineWithCartridge(magazine: Item[], magTemplate: ITemplateItem, cartridgeTpl: string, minSizePercent?: number): void; + /** + * Choose a random bullet type from the list of possible a magazine has + * @param magTemplate Magazine template from Db + * @returns Tpl of cartridge + */ + protected getRandomValidCaliber(magTemplate: ITemplateItem): string; + /** + * Chose a randomly weighted cartridge that fits + * @param caliber Desired caliber + * @param staticAmmoDist Cartridges and thier weights + * @returns Tpl of cartridge + */ + protected drawAmmoTpl(caliber: string, staticAmmoDist: Record): string; + /** + * Create a basic cartrige object + * @param parentId container cartridges will be placed in + * @param ammoTpl Cartridge to insert + * @param stackCount Count of cartridges inside parent + * @param location Location inside parent (e.g. 0, 1) + * @returns Item + */ + createCartridges(parentId: string, ammoTpl: string, stackCount: number, location: number): Item; + /** + * Get the size of a stack, return 1 if no stack object count property found + * @param item Item to get stack size of + * @returns size of stack + */ + getItemStackSize(item: Item): number; + /** + * Get the name of an item from the locale file using the item tpl + * @param itemTpl Tpl of item to get name of + * @returns Name of item + */ + getItemName(itemTpl: string): string; + getItemTplsOfBaseType(desiredBaseType: string): string[]; +} +declare namespace ItemHelper { + interface ItemSize { + width: number; + height: number; + } +} +export {}; diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/NotificationSendHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/NotificationSendHelper.d.ts new file mode 100644 index 0000000..5f4a533 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/NotificationSendHelper.d.ts @@ -0,0 +1,36 @@ +import { INotification } from "@spt-aki/models/eft/notifier/INotifier"; +import { Dialogue, IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { MessageType } from "@spt-aki/models/enums/MessageType"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { WebSocketServer } from "@spt-aki/servers/WebSocketServer"; +import { NotificationService } from "@spt-aki/services/NotificationService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +export declare class NotificationSendHelper { + protected webSocketServer: WebSocketServer; + protected hashUtil: HashUtil; + protected saveServer: SaveServer; + protected notificationService: NotificationService; + constructor(webSocketServer: WebSocketServer, hashUtil: HashUtil, saveServer: SaveServer, notificationService: NotificationService); + /** + * Send notification message to the appropriate channel + * @param sessionID + * @param notificationMessage + */ + sendMessage(sessionID: string, notificationMessage: INotification): void; + /** + * Send a message directly to the player + * @param sessionId Session id + * @param senderDetails Who is sendin the message to player + * @param messageText Text to send player + * @param messageType Underlying type of message being sent + */ + sendMessageToPlayer(sessionId: string, senderDetails: IUserDialogInfo, messageText: string, messageType: MessageType): void; + /** + * Helper function for sendMessageToPlayer(), get new dialog for storage in profile or find existing by sender id + * @param sessionId Session id + * @param messageType Type of message to generate + * @param senderDetails Who is sending the message + * @returns Dialogue + */ + protected getDialog(sessionId: string, messageType: MessageType, senderDetails: IUserDialogInfo): Dialogue; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/NotifierHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/NotifierHelper.d.ts new file mode 100644 index 0000000..9c27224 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/NotifierHelper.d.ts @@ -0,0 +1,26 @@ +import { HttpServerHelper } from "@spt-aki/helpers/HttpServerHelper"; +import { INotification } from "@spt-aki/models/eft/notifier/INotifier"; +import { Message, MessageContentRagfair } from "@spt-aki/models/eft/profile/IAkiProfile"; +export declare class NotifierHelper { + protected httpServerHelper: HttpServerHelper; + /** + * The default notification sent when waiting times out. + */ + protected defaultNotification: INotification; + constructor(httpServerHelper: HttpServerHelper); + getDefaultNotification(): INotification; + /** + * Create a new notification that displays the "Your offer was sold!" prompt and removes sold offer from "My Offers" on clientside + * @param dialogueMessage Message from dialog that was sent + * @param ragfairData Ragfair data to attach to notification + * @returns + */ + createRagfairOfferSoldNotification(dialogueMessage: Message, ragfairData: MessageContentRagfair): INotification; + /** + * Create a new notification with the specified dialogueMessage object + * @param dialogueMessage + * @returns + */ + createNewMessageNotification(dialogueMessage: Message): INotification; + getWebSocketServer(sessionID: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/PaymentHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/PaymentHelper.d.ts new file mode 100644 index 0000000..04d4163 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/PaymentHelper.d.ts @@ -0,0 +1,19 @@ +import { IInventoryConfig } from "@spt-aki/models/spt/config/IInventoryConfig"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +export declare class PaymentHelper { + protected configServer: ConfigServer; + protected inventoryConfig: IInventoryConfig; + constructor(configServer: ConfigServer); + /** + * Is the passed in tpl money (also checks custom currencies in inventoryConfig.customMoneyTpls) + * @param {string} tpl + * @returns void + */ + isMoneyTpl(tpl: string): boolean; + /** + * Gets currency TPL from TAG + * @param {string} currency + * @returns string + */ + getCurrency(currency: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/PresetHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/PresetHelper.d.ts new file mode 100644 index 0000000..6722c92 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/PresetHelper.d.ts @@ -0,0 +1,23 @@ +import { IPreset } from "@spt-aki/models/eft/common/IGlobals"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class PresetHelper { + protected jsonUtil: JsonUtil; + protected databaseServer: DatabaseServer; + protected lookup: Record; + protected defaultPresets: Record; + constructor(jsonUtil: JsonUtil, databaseServer: DatabaseServer); + hydratePresetStore(input: Record): void; + getDefaultPresets(): Record; + isPreset(id: string): boolean; + hasPreset(templateId: string): boolean; + getPreset(id: string): IPreset; + getPresets(templateId: string): IPreset[]; + /** + * Get the default preset for passed in weapon id + * @param templateId Weapon id to get preset for + * @returns Null if no default preset, otherwise IPreset + */ + getDefaultPreset(templateId: string): IPreset; + getBaseItemTpl(presetId: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/ProbabilityHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/ProbabilityHelper.d.ts new file mode 100644 index 0000000..8aceb67 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/ProbabilityHelper.d.ts @@ -0,0 +1,14 @@ +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class ProbabilityHelper { + protected logger: ILogger; + protected randomUtil: RandomUtil; + constructor(logger: ILogger, randomUtil: RandomUtil); + /** + * Chance to roll a number out of 100 + * @param chance Percentage chance roll should success + * @param scale scale of chance to allow support of numbers > 1-100 + * @returns true if success + */ + rollChance(chance: number, scale?: number): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/ProfileHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/ProfileHelper.d.ts new file mode 100644 index 0000000..938c796 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/ProfileHelper.d.ts @@ -0,0 +1,124 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Common, CounterKeyValue, Stats } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { IValidateNicknameRequestData } from "@spt-aki/models/eft/profile/IValidateNicknameRequestData"; +import { SkillTypes } from "@spt-aki/models/enums/SkillTypes"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { ProfileSnapshotService } from "@spt-aki/services/ProfileSnapshotService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +import { Watermark } from "@spt-aki/utils/Watermark"; +export declare class ProfileHelper { + protected logger: ILogger; + protected jsonUtil: JsonUtil; + protected watermark: Watermark; + protected timeUtil: TimeUtil; + protected saveServer: SaveServer; + protected databaseServer: DatabaseServer; + protected itemHelper: ItemHelper; + protected profileSnapshotService: ProfileSnapshotService; + protected localisationService: LocalisationService; + constructor(logger: ILogger, jsonUtil: JsonUtil, watermark: Watermark, timeUtil: TimeUtil, saveServer: SaveServer, databaseServer: DatabaseServer, itemHelper: ItemHelper, profileSnapshotService: ProfileSnapshotService, localisationService: LocalisationService); + /** + * Remove/reset a completed quest condtion from players profile quest data + * @param sessionID Session id + * @param questConditionId Quest with condition to remove + */ + removeCompletedQuestConditionFromProfile(pmcData: IPmcData, questConditionId: Record): void; + /** + * Get all profiles from server + * @returns Dictionary of profiles + */ + getProfiles(): Record; + getCompleteProfile(sessionID: string): IPmcData[]; + /** + * Fix xp doubling on post-raid xp reward screen by sending a 'dummy' profile to the post-raid screen + * Server saves the post-raid changes prior to the xp screen getting the profile, this results in the xp screen using + * the now updated profile values as a base, meaning it shows x2 xp gained + * Instead, clone the post-raid profile (so we dont alter its values), apply the pre-raid xp values to the cloned objects and return + * Delete snapshot of pre-raid profile prior to returning profile data + * @param sessionId Session id + * @param output pmc and scav profiles array + * @param pmcProfile post-raid pmc profile + * @param scavProfile post-raid scav profile + * @returns updated profile array + */ + protected postRaidXpWorkaroundFix(sessionId: string, output: IPmcData[], pmcProfile: IPmcData, scavProfile: IPmcData): IPmcData[]; + /** + * Check if a nickname is used by another profile loaded by the server + * @param nicknameRequest + * @param sessionID Session id + * @returns True if already used + */ + isNicknameTaken(nicknameRequest: IValidateNicknameRequestData, sessionID: string): boolean; + protected profileHasInfoProperty(profile: IAkiProfile): boolean; + protected nicknameMatches(profileName: string, nicknameRequest: string): boolean; + protected sessionIdMatchesProfileId(profileId: string, sessionId: string): boolean; + /** + * Add experience to a PMC inside the players profile + * @param sessionID Session id + * @param experienceToAdd Experience to add to PMC character + */ + addExperienceToPmc(sessionID: string, experienceToAdd: number): void; + getProfileByPmcId(pmcId: string): IPmcData; + getExperience(level: number): number; + getMaxLevel(): number; + getDefaultAkiDataObject(): any; + getFullProfile(sessionID: string): IAkiProfile; + getPmcProfile(sessionID: string): IPmcData; + getScavProfile(sessionID: string): IPmcData; + /** + * Get baseline counter values for a fresh profile + * @returns Stats + */ + getDefaultCounters(): Stats; + protected isWiped(sessionID: string): boolean; + protected getServerVersion(): string; + /** + * Iterate over player profile inventory items and find the secure container and remove it + * @param profile Profile to remove secure container from + * @returns profile without secure container + */ + removeSecureContainer(profile: IPmcData): IPmcData; + /** + * Flag a profile as having received a gift + * Store giftid in profile aki object + * @param playerId Player to add gift flag to + * @param giftId Gift player received + */ + addGiftReceivedFlagToProfile(playerId: string, giftId: string): void; + /** + * Check if profile has recieved a gift by id + * @param playerId Player profile to check for gift + * @param giftId Gift to check for + * @returns True if player has recieved gift previously + */ + playerHasRecievedGift(playerId: string, giftId: string): boolean; + /** + * Find Stat in profile counters and increment by one + * @param counters Counters to search for key + * @param keyToIncrement Key + */ + incrementStatCounter(counters: CounterKeyValue[], keyToIncrement: string): void; + /** + * Check if player has a skill at elite level + * @param skillType Skill to check + * @param pmcProfile Profile to find skill in + * @returns True if player has skill at elite level + */ + hasEliteSkillLevel(skillType: SkillTypes, pmcProfile: IPmcData): boolean; + /** + * Add points to a specific skill in player profile + * @param skill Skill to add points to + * @param pointsToAdd Points to add + * @param pmcProfile Player profile with skill + * @param useSkillProgressRateMultipler Skills are multiplied by a value in globals, default is off to maintain compatibility with legacy code + * @returns + */ + addSkillPointsToPlayer(pmcProfile: IPmcData, skill: SkillTypes, pointsToAdd: number, useSkillProgressRateMultipler?: boolean): void; + getSkillFromProfile(pmcData: IPmcData, skill: SkillTypes): Common; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/QuestConditionHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/QuestConditionHelper.d.ts new file mode 100644 index 0000000..1e4c5f7 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/QuestConditionHelper.d.ts @@ -0,0 +1,8 @@ +import { AvailableForConditions } from "@spt-aki/models/eft/common/tables/IQuest"; +export declare class QuestConditionHelper { + getQuestConditions(q: AvailableForConditions[], furtherFilter?: (a: AvailableForConditions) => AvailableForConditions[]): AvailableForConditions[]; + getLevelConditions(q: AvailableForConditions[], furtherFilter?: (a: AvailableForConditions) => AvailableForConditions[]): AvailableForConditions[]; + getLoyaltyConditions(q: AvailableForConditions[], furtherFilter?: (a: AvailableForConditions) => AvailableForConditions[]): AvailableForConditions[]; + getStandingConditions(q: AvailableForConditions[], furtherFilter?: (a: AvailableForConditions) => AvailableForConditions[]): AvailableForConditions[]; + protected filterConditions(q: AvailableForConditions[], questType: string, furtherFilter?: (a: AvailableForConditions) => AvailableForConditions[]): AvailableForConditions[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/QuestHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/QuestHelper.d.ts new file mode 100644 index 0000000..2b9a531 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/QuestHelper.d.ts @@ -0,0 +1,256 @@ +import { DialogueHelper } from "@spt-aki/helpers/DialogueHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { PaymentHelper } from "@spt-aki/helpers/PaymentHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { QuestConditionHelper } from "@spt-aki/helpers/QuestConditionHelper"; +import { RagfairServerHelper } from "@spt-aki/helpers/RagfairServerHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Common, IQuestStatus } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { AvailableForConditions, AvailableForProps, IQuest, Reward } from "@spt-aki/models/eft/common/tables/IQuest"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IAcceptQuestRequestData } from "@spt-aki/models/eft/quests/IAcceptQuestRequestData"; +import { IFailQuestRequestData } from "@spt-aki/models/eft/quests/IFailQuestRequestData"; +import { QuestStatus } from "@spt-aki/models/enums/QuestStatus"; +import { IQuestConfig } from "@spt-aki/models/spt/config/IQuestConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocaleService } from "@spt-aki/services/LocaleService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class QuestHelper { + protected logger: ILogger; + protected jsonUtil: JsonUtil; + protected timeUtil: TimeUtil; + protected hashUtil: HashUtil; + protected itemHelper: ItemHelper; + protected questConditionHelper: QuestConditionHelper; + protected eventOutputHolder: EventOutputHolder; + protected databaseServer: DatabaseServer; + protected localeService: LocaleService; + protected ragfairServerHelper: RagfairServerHelper; + protected dialogueHelper: DialogueHelper; + protected profileHelper: ProfileHelper; + protected paymentHelper: PaymentHelper; + protected localisationService: LocalisationService; + protected traderHelper: TraderHelper; + protected mailSendService: MailSendService; + protected configServer: ConfigServer; + protected questConfig: IQuestConfig; + constructor(logger: ILogger, jsonUtil: JsonUtil, timeUtil: TimeUtil, hashUtil: HashUtil, itemHelper: ItemHelper, questConditionHelper: QuestConditionHelper, eventOutputHolder: EventOutputHolder, databaseServer: DatabaseServer, localeService: LocaleService, ragfairServerHelper: RagfairServerHelper, dialogueHelper: DialogueHelper, profileHelper: ProfileHelper, paymentHelper: PaymentHelper, localisationService: LocalisationService, traderHelper: TraderHelper, mailSendService: MailSendService, configServer: ConfigServer); + /** + * Get status of a quest in player profile by its id + * @param pmcData Profile to search + * @param questId Quest id to look up + * @returns QuestStatus enum + */ + getQuestStatus(pmcData: IPmcData, questId: string): QuestStatus; + /** + * returns true is the level condition is satisfied + * @param playerLevel Players level + * @param condition Quest condition + * @returns true if player level is greater than or equal to quest + */ + doesPlayerLevelFulfilCondition(playerLevel: number, condition: AvailableForConditions): boolean; + /** + * Get the quests found in both arrays (inner join) + * @param before Array of quests #1 + * @param after Array of quests #2 + * @returns Reduction of cartesian product between two quest arrays + */ + getDeltaQuests(before: IQuest[], after: IQuest[]): IQuest[]; + /** + * Adjust skill experience for low skill levels, mimicing the official client + * @param profileSkill the skill experience is being added to + * @param progressAmount the amount of experience being added to the skill + * @returns the adjusted skill progress gain + */ + adjustSkillExpForLowLevels(profileSkill: Common, progressAmount: number): number; + /** + * Get quest name by quest id + * @param questId id to get + * @returns + */ + getQuestNameFromLocale(questId: string): string; + /** + * Check if trader has sufficient loyalty to fulfill quest requirement + * @param questProperties Quest props + * @param profile Player profile + * @returns true if loyalty is high enough to fulfill quest requirement + */ + traderLoyaltyLevelRequirementCheck(questProperties: AvailableForProps, profile: IPmcData): boolean; + /** + * Check if trader has sufficient standing to fulfill quest requirement + * @param questProperties Quest props + * @param profile Player profile + * @returns true if standing is high enough to fulfill quest requirement + */ + traderStandingRequirementCheck(questProperties: AvailableForProps, profile: IPmcData): boolean; + protected compareAvailableForValues(current: number, required: number, compareMethod: string): boolean; + /** + * take reward item from quest and set FiR status + fix stack sizes + fix mod Ids + * @param reward Reward item to fix + * @returns Fixed rewards + */ + protected processReward(reward: Reward): Reward[]; + /** + * Gets a flat list of reward items for the given quest at a specific state (e.g. Fail/Success) + * @param quest quest to get rewards for + * @param status Quest status that holds the items (Started, Success, Fail) + * @returns array of items with the correct maxStack + */ + getQuestRewardItems(quest: IQuest, status: QuestStatus): Reward[]; + /** + * Look up quest in db by accepted quest id and construct a profile-ready object ready to store in profile + * @param pmcData Player profile + * @param newState State the new quest should be in when returned + * @param acceptedQuest Details of accepted quest from client + */ + getQuestReadyForProfile(pmcData: IPmcData, newState: QuestStatus, acceptedQuest: IAcceptQuestRequestData): IQuestStatus; + /** + * Get quests that can be shown to player after starting a quest + * @param startedQuestId Quest started by player + * @param sessionID Session id + * @returns Quests accessible to player incuding newly unlocked quests now quest (startedQuestId) was started + */ + getNewlyAccessibleQuestsWhenStartingQuest(startedQuestId: string, sessionID: string): IQuest[]; + /** + * Get quests that can be shown to player after failing a quest + * @param failedQuestId Id of the quest failed by player + * @param sessionId Session id + * @returns IQuest array + */ + failedUnlocked(failedQuestId: string, sessionId: string): IQuest[]; + /** + * Adjust quest money rewards by passed in multiplier + * @param quest Quest to multiple money rewards + * @param multiplier Value to adjust money rewards by + * @param questStatus Status of quest to apply money boost to rewards of + * @returns Updated quest + */ + applyMoneyBoost(quest: IQuest, multiplier: number, questStatus: QuestStatus): IQuest; + /** + * Sets the item stack to new value, or delete the item if value <= 0 + * // TODO maybe merge this function and the one from customization + * @param pmcData Profile + * @param itemId id of item to adjust stack size of + * @param newStackSize Stack size to adjust to + * @param sessionID Session id + * @param output ItemEvent router response + */ + changeItemStack(pmcData: IPmcData, itemId: string, newStackSize: number, sessionID: string, output: IItemEventRouterResponse): void; + /** + * Add item stack change object into output route event response + * @param output Response to add item change event into + * @param sessionId Session id + * @param item Item that was adjusted + */ + protected addItemStackSizeChangeIntoEventResponse(output: IItemEventRouterResponse, sessionId: string, item: Item): void; + /** + * Get quests, strip all requirement conditions except level + * @param quests quests to process + * @returns quest array without conditions + */ + protected getQuestsWithOnlyLevelRequirementStartCondition(quests: IQuest[]): IQuest[]; + /** + * Remove all quest conditions except for level requirement + * @param quest quest to clean + * @returns reset IQuest object + */ + getQuestWithOnlyLevelRequirementStartCondition(quest: IQuest): IQuest; + /** + * Fail a quest in a player profile + * @param pmcData Player profile + * @param failRequest Fail quest request data + * @param sessionID Session id + * @param output Client output + * @returns Item event router response + */ + failQuest(pmcData: IPmcData, failRequest: IFailQuestRequestData, sessionID: string, output?: IItemEventRouterResponse): IItemEventRouterResponse; + /** + * Get List of All Quests from db + * NOT CLONED + * @returns Array of IQuest objects + */ + getQuestsFromDb(): IQuest[]; + /** + * Get quest by id from database (repeatables are stored in profile, check there if questId not found) + * @param questId Id of quest to find + * @param pmcData Player profile + * @returns IQuest object + */ + getQuestFromDb(questId: string, pmcData: IPmcData): IQuest; + /** + * Get a quests startedMessageText key from db, if no startedMessageText key found, use description key instead + * @param startedMessageTextId startedMessageText property from IQuest + * @param questDescriptionId description property from IQuest + * @returns message id + */ + getMessageIdForQuestStart(startedMessageTextId: string, questDescriptionId: string): string; + /** + * Get the locale Id from locale db for a quest message + * @param questMessageId Quest message id to look up + * @returns Locale Id from locale db + */ + getQuestLocaleIdFromDb(questMessageId: string): string; + /** + * Alter a quests state + Add a record to its status timers object + * @param pmcData Profile to update + * @param newQuestState New state the quest should be in + * @param questId Id of the quest to alter the status of + */ + updateQuestState(pmcData: IPmcData, newQuestState: QuestStatus, questId: string): void; + /** + * Resets a quests values back to its chosen state + * @param pmcData Profile to update + * @param newQuestState New state the quest should be in + * @param questId Id of the quest to alter the status of + */ + resetQuestState(pmcData: IPmcData, newQuestState: QuestStatus, questId: string): void; + /** + * Give player quest rewards - Skills/exp/trader standing/items/assort unlocks - Returns reward items player earned + * @param profileData Player profile (scav or pmc) + * @param questId questId of quest to get rewards for + * @param state State of the quest to get rewards for + * @param sessionId Session id + * @param questResponse Response to send back to client + * @returns Array of reward objects + */ + applyQuestReward(profileData: IPmcData, questId: string, state: QuestStatus, sessionId: string, questResponse: IItemEventRouterResponse): Reward[]; + /** + * WIP - Find hideout craft id and add to unlockedProductionRecipe array in player profile + * also update client response recipeUnlocked array with craft id + * @param pmcData Player profile + * @param craftUnlockReward Reward item from quest with craft unlock details + * @param questDetails Quest with craft unlock reward + * @param sessionID Session id + * @param response Response to send back to client + */ + protected findAndAddHideoutProductionIdToProfile(pmcData: IPmcData, craftUnlockReward: Reward, questDetails: IQuest, sessionID: string, response: IItemEventRouterResponse): void; + /** + * Get players money reward bonus from profile + * @param pmcData player profile + * @returns bonus as a percent + */ + protected getQuestMoneyRewardBonus(pmcData: IPmcData): number; + /** + * Find quest with 'findItem' condition that needs the item tpl be handed in + * @param itemTpl item tpl to look for + * @param questIds Quests to search through for the findItem condition + * @returns quest id with 'FindItem' condition id + */ + getFindItemConditionByQuestItem(itemTpl: string, questIds: string[], allQuests: IQuest[]): Record; + /** + * Add all quests to a profile with the provided statuses + * @param pmcProfile profile to update + * @param statuses statuses quests should have + */ + addAllQuestsToProfile(pmcProfile: IPmcData, statuses: QuestStatus[]): void; + findAndRemoveQuestFromArrayIfExists(questId: string, quests: IQuestStatus[]): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairHelper.d.ts new file mode 100644 index 0000000..55e6fe8 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairHelper.d.ts @@ -0,0 +1,47 @@ +import { HandbookHelper } from "@spt-aki/helpers/HandbookHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { TraderAssortHelper } from "@spt-aki/helpers/TraderAssortHelper"; +import { UtilityHelper } from "@spt-aki/helpers/UtilityHelper"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITraderAssort } from "@spt-aki/models/eft/common/tables/ITrader"; +import { ISearchRequestData } from "@spt-aki/models/eft/ragfair/ISearchRequestData"; +import { IRagfairConfig } from "@spt-aki/models/spt/config/IRagfairConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { RagfairLinkedItemService } from "@spt-aki/services/RagfairLinkedItemService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class RagfairHelper { + protected logger: ILogger; + protected jsonUtil: JsonUtil; + protected traderAssortHelper: TraderAssortHelper; + protected databaseServer: DatabaseServer; + protected handbookHelper: HandbookHelper; + protected itemHelper: ItemHelper; + protected ragfairLinkedItemService: RagfairLinkedItemService; + protected utilityHelper: UtilityHelper; + protected configServer: ConfigServer; + protected ragfairConfig: IRagfairConfig; + constructor(logger: ILogger, jsonUtil: JsonUtil, traderAssortHelper: TraderAssortHelper, databaseServer: DatabaseServer, handbookHelper: HandbookHelper, itemHelper: ItemHelper, ragfairLinkedItemService: RagfairLinkedItemService, utilityHelper: UtilityHelper, configServer: ConfigServer); + /** + * Gets currency TAG from TPL + * @param {string} currency + * @returns string + */ + getCurrencyTag(currency: string): string; + filterCategories(sessionID: string, request: ISearchRequestData): string[]; + getDisplayableAssorts(sessionID: string): Record; + protected getCategoryList(handbookId: string): string[]; + /** + * Merges Root Items + * Ragfair allows abnormally large stacks. + */ + mergeStackable(items: Item[]): Item[]; + /** + * Return the symbol for a currency + * e.g. 5449016a4bdc2d6f028b456f return ₽ + * @param currencyTpl currency to get symbol for + * @returns symbol of currency + */ + getCurrencySymbol(currencyTpl: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairOfferHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairOfferHelper.d.ts new file mode 100644 index 0000000..778d657 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairOfferHelper.d.ts @@ -0,0 +1,167 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { PaymentHelper } from "@spt-aki/helpers/PaymentHelper"; +import { PresetHelper } from "@spt-aki/helpers/PresetHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { RagfairHelper } from "@spt-aki/helpers/RagfairHelper"; +import { RagfairServerHelper } from "@spt-aki/helpers/RagfairServerHelper"; +import { RagfairSortHelper } from "@spt-aki/helpers/RagfairSortHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITraderAssort } from "@spt-aki/models/eft/common/tables/ITrader"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { IRagfairOffer } from "@spt-aki/models/eft/ragfair/IRagfairOffer"; +import { ISearchRequestData } from "@spt-aki/models/eft/ragfair/ISearchRequestData"; +import { IQuestConfig } from "@spt-aki/models/spt/config/IQuestConfig"; +import { IRagfairConfig } from "@spt-aki/models/spt/config/IRagfairConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { LocaleService } from "@spt-aki/services/LocaleService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { RagfairOfferService } from "@spt-aki/services/RagfairOfferService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class RagfairOfferHelper { + protected logger: ILogger; + protected timeUtil: TimeUtil; + protected hashUtil: HashUtil; + protected eventOutputHolder: EventOutputHolder; + protected databaseServer: DatabaseServer; + protected traderHelper: TraderHelper; + protected saveServer: SaveServer; + protected itemHelper: ItemHelper; + protected paymentHelper: PaymentHelper; + protected presetHelper: PresetHelper; + protected profileHelper: ProfileHelper; + protected ragfairServerHelper: RagfairServerHelper; + protected ragfairSortHelper: RagfairSortHelper; + protected ragfairHelper: RagfairHelper; + protected ragfairOfferService: RagfairOfferService; + protected localeService: LocaleService; + protected localisationService: LocalisationService; + protected mailSendService: MailSendService; + protected configServer: ConfigServer; + protected static goodSoldTemplate: string; + protected ragfairConfig: IRagfairConfig; + protected questConfig: IQuestConfig; + constructor(logger: ILogger, timeUtil: TimeUtil, hashUtil: HashUtil, eventOutputHolder: EventOutputHolder, databaseServer: DatabaseServer, traderHelper: TraderHelper, saveServer: SaveServer, itemHelper: ItemHelper, paymentHelper: PaymentHelper, presetHelper: PresetHelper, profileHelper: ProfileHelper, ragfairServerHelper: RagfairServerHelper, ragfairSortHelper: RagfairSortHelper, ragfairHelper: RagfairHelper, ragfairOfferService: RagfairOfferService, localeService: LocaleService, localisationService: LocalisationService, mailSendService: MailSendService, configServer: ConfigServer); + /** + * Passthrough to ragfairOfferService.getOffers(), get flea offers a player should see + * @param searchRequest Data from client + * @param itemsToAdd ragfairHelper.filterCategories() + * @param traderAssorts Trader assorts + * @param pmcProfile Player profile + * @returns Offers the player should see + */ + getValidOffers(searchRequest: ISearchRequestData, itemsToAdd: string[], traderAssorts: Record, pmcProfile: IPmcData): IRagfairOffer[]; + /** + * Get offers from flea/traders specifically when building weapon preset + * @param searchRequest Search request data + * @param itemsToAdd string array of item tpls to search for + * @param traderAssorts All trader assorts player can access/buy + * @param pmcProfile Player profile + * @returns IRagfairOffer array + */ + getOffersForBuild(searchRequest: ISearchRequestData, itemsToAdd: string[], traderAssorts: Record, pmcProfile: IPmcData): IRagfairOffer[]; + /** + * Check if offer is from trader standing the player does not have + * @param offer Offer to check + * @param pmcProfile Player profile + * @returns True if item is locked, false if item is purchaseable + */ + protected traderOfferLockedBehindLoyaltyLevel(offer: IRagfairOffer, pmcProfile: IPmcData): boolean; + /** + * Check if offer item is quest locked for current player by looking at sptQuestLocked property in traders barter_scheme + * @param offer Offer to check is quest locked + * @param traderAssorts all trader assorts for player + * @returns true if quest locked + */ + traderOfferItemQuestLocked(offer: IRagfairOffer, traderAssorts: Record): boolean; + /** + * Has a traders offer ran out of stock to sell to player + * @param offer Offer to check stock of + * @returns true if out of stock + */ + protected traderOutOfStock(offer: IRagfairOffer): boolean; + /** + * Check if trader offers' BuyRestrictionMax value has been reached + * @param offer offer to check restriction properties of + * @returns true if restriction reached, false if no restrictions/not reached + */ + protected traderBuyRestrictionReached(offer: IRagfairOffer): boolean; + /** + * Get an array of flea offers that are inaccessible to player due to their inadequate loyalty level + * @param offers Offers to check + * @param pmcProfile Players profile with trader loyalty levels + * @returns array of offer ids player cannot see + */ + protected getLoyaltyLockedOffers(offers: IRagfairOffer[], pmcProfile: IPmcData): string[]; + /** + * Process all player-listed flea offers for a desired profile + * @param sessionID Session id to process offers for + * @returns true = complete + */ + processOffersOnProfile(sessionID: string): boolean; + /** + * Add amount to players ragfair rating + * @param sessionId Profile to update + * @param amountToIncrementBy Raw amount to add to players ragfair rating (excluding the reputation gain multiplier) + */ + increaseProfileRagfairRating(profile: IAkiProfile, amountToIncrementBy: number): void; + /** + * Return all offers a player has listed on a desired profile + * @param sessionID Session id + * @returns Array of ragfair offers + */ + protected getProfileOffers(sessionID: string): IRagfairOffer[]; + /** + * Delete an offer from a desired profile and from ragfair offers + * @param sessionID Session id of profile to delete offer from + * @param offerId Id of offer to delete + */ + protected deleteOfferById(sessionID: string, offerId: string): void; + /** + * Complete the selling of players' offer + * @param sessionID Session id + * @param offer Sold offer details + * @param boughtAmount Amount item was purchased for + * @returns IItemEventRouterResponse + */ + protected completeOffer(sessionID: string, offer: IRagfairOffer, boughtAmount: number): IItemEventRouterResponse; + /** + * Get a localised message for when players offer has sold on flea + * @param itemTpl Item sold + * @param boughtAmount How many were purchased + * @returns Localised message text + */ + protected getLocalisedOfferSoldMessage(itemTpl: string, boughtAmount: number): string; + /** + * Should a ragfair offer be visible to the player + * @param searchRequest Search request + * @param itemsToAdd ? + * @param traderAssorts Trader assort items + * @param offer The flea offer + * @param pmcProfile Player profile + * @returns True = should be shown to player + */ + isDisplayableOffer(searchRequest: ISearchRequestData, itemsToAdd: string[], traderAssorts: Record, offer: IRagfairOffer, pmcProfile: IPmcData): boolean; + /** + * Does the passed in item have a condition property + * @param item Item to check + * @returns True if has condition + */ + protected isConditionItem(item: Item): boolean; + /** + * Is items quality value within desired range + * @param item Item to check quality of + * @param min Desired minimum quality + * @param max Desired maximum quality + * @returns True if in range + */ + protected itemQualityInRange(item: Item, min: number, max: number): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairSellHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairSellHelper.d.ts new file mode 100644 index 0000000..7a4de8a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairSellHelper.d.ts @@ -0,0 +1,31 @@ +import { SellResult } from "@spt-aki/models/eft/ragfair/IRagfairOffer"; +import { IRagfairConfig } from "@spt-aki/models/spt/config/IRagfairConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class RagfairSellHelper { + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected timeUtil: TimeUtil; + protected databaseServer: DatabaseServer; + protected configServer: ConfigServer; + protected ragfairConfig: IRagfairConfig; + constructor(logger: ILogger, randomUtil: RandomUtil, timeUtil: TimeUtil, databaseServer: DatabaseServer, configServer: ConfigServer); + /** + * Get the percent chance to sell an item based on its average listed price vs player chosen listing price + * @param averageOfferPriceRub Price of average offer in roubles + * @param playerListedPriceRub Price player listed item for in roubles + * @param qualityMultiplier Quality multipler of item being sold + * @returns percent value + */ + calculateSellChance(averageOfferPriceRub: number, playerListedPriceRub: number, qualityMultiplier: number): number; + /** + * Get array of item count and sell time (empty array = no sell) + * @param sellChancePercent chance item will sell + * @param itemSellCount count of items to sell + * @returns Array of purchases of item(s) listed + */ + rollForSale(sellChancePercent: number, itemSellCount: number): SellResult[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairServerHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairServerHelper.d.ts new file mode 100644 index 0000000..4d2d4c4 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairServerHelper.d.ts @@ -0,0 +1,106 @@ +import { DialogueHelper } from "@spt-aki/helpers/DialogueHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { MemberCategory } from "@spt-aki/models/enums/MemberCategory"; +import { IQuestConfig } from "@spt-aki/models/spt/config/IQuestConfig"; +import { IRagfairConfig } from "@spt-aki/models/spt/config/IRagfairConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { ItemFilterService } from "@spt-aki/services/ItemFilterService"; +import { LocaleService } from "@spt-aki/services/LocaleService"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +/** + * Helper class for common ragfair server actions + */ +export declare class RagfairServerHelper { + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected hashUtil: HashUtil; + protected timeUtil: TimeUtil; + protected saveServer: SaveServer; + protected databaseServer: DatabaseServer; + protected profileHelper: ProfileHelper; + protected itemHelper: ItemHelper; + protected localeService: LocaleService; + protected dialogueHelper: DialogueHelper; + protected traderHelper: TraderHelper; + protected jsonUtil: JsonUtil; + protected mailSendService: MailSendService; + protected itemFilterService: ItemFilterService; + protected configServer: ConfigServer; + protected ragfairConfig: IRagfairConfig; + protected questConfig: IQuestConfig; + protected static goodsReturnedTemplate: string; + constructor(logger: ILogger, randomUtil: RandomUtil, hashUtil: HashUtil, timeUtil: TimeUtil, saveServer: SaveServer, databaseServer: DatabaseServer, profileHelper: ProfileHelper, itemHelper: ItemHelper, localeService: LocaleService, dialogueHelper: DialogueHelper, traderHelper: TraderHelper, jsonUtil: JsonUtil, mailSendService: MailSendService, itemFilterService: ItemFilterService, configServer: ConfigServer); + /** + * Is item valid / on blacklist / quest item + * @param itemDetails + * @returns boolean + */ + isItemValidRagfairItem(itemDetails: [boolean, ITemplateItem]): boolean; + /** + * Is supplied item tpl on the ragfair custom blacklist from configs/ragfair.json/dynamic + * @param itemTemplateId Item tpl to check is blacklisted + * @returns True if its blacklsited + */ + protected isItemOnCustomFleaBlacklist(itemTemplateId: string): boolean; + /** + * is supplied id a trader + * @param traderId + * @returns True if id was a trader + */ + isTrader(traderId: string): boolean; + /** + * Is this user id the logged in player + * @param userId Id to test + * @returns True is the current player + */ + isPlayer(userId: string): boolean; + /** + * Send items back to player + * @param sessionID Player to send items to + * @param returnedItems Items to send to player + */ + returnItems(sessionID: string, returnedItems: Item[]): void; + calculateDynamicStackCount(tplId: string, isWeaponPreset: boolean): number; + /** + * Choose a currency at random with bias + * @returns currency tpl + */ + getDynamicOfferCurrency(): string; + getMemberType(userID: string): MemberCategory; + /** + * Get a player or traders nickname from their profile by their user id + * @param userID Sessionid/userid + * @returns Nickname of individual + */ + getNickname(userID: string): string; + /** + * Given a preset id from globals.json, return an array of items[] with unique ids + * @param item Preset item + * @returns Array of weapon and its children + */ + getPresetItems(item: Item): Item[]; + /** + * Possible bug, returns all items associated with an items tpl, could be multiple presets from globals.json + * @param item Preset item + * @returns + */ + getPresetItemsByTpl(item: Item): Item[]; + /** + * Generate new unique ids for child items while preserving hierarchy + * @param rootItem Base/primary item of preset + * @param preset Primary item + children of primary item + * @returns Item array with new IDs + */ + reparentPresets(rootItem: Item, preset: Item[]): Item[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairSortHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairSortHelper.d.ts new file mode 100644 index 0000000..5bd8f96 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/RagfairSortHelper.d.ts @@ -0,0 +1,28 @@ +import { IRagfairOffer } from "@spt-aki/models/eft/ragfair/IRagfairOffer"; +import { RagfairSort } from "@spt-aki/models/enums/RagfairSort"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocaleService } from "@spt-aki/services/LocaleService"; +export declare class RagfairSortHelper { + protected databaseServer: DatabaseServer; + protected localeService: LocaleService; + constructor(databaseServer: DatabaseServer, localeService: LocaleService); + /** + * Sort a list of ragfair offers by something (id/rating/offer name/price/expiry time) + * @param offers Offers to sort + * @param type How to sort it + * @param direction Ascending/descending + * @returns Sorted offers + */ + sortOffers(offers: IRagfairOffer[], type: RagfairSort, direction?: number): IRagfairOffer[]; + protected sortOffersByID(a: IRagfairOffer, b: IRagfairOffer): number; + protected sortOffersByRating(a: IRagfairOffer, b: IRagfairOffer): number; + protected sortOffersByName(a: IRagfairOffer, b: IRagfairOffer): number; + /** + * Order two offers by rouble price value + * @param a Offer a + * @param b Offer b + * @returns + */ + protected sortOffersByPrice(a: IRagfairOffer, b: IRagfairOffer): number; + protected sortOffersByExpiry(a: IRagfairOffer, b: IRagfairOffer): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/RepairHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/RepairHelper.d.ts new file mode 100644 index 0000000..9ef0eaa --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/RepairHelper.d.ts @@ -0,0 +1,46 @@ +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITemplateItem, Props } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { IRepairConfig } from "@spt-aki/models/spt/config/IRepairConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class RepairHelper { + protected logger: ILogger; + protected jsonUtil: JsonUtil; + protected randomUtil: RandomUtil; + protected databaseServer: DatabaseServer; + protected configServer: ConfigServer; + protected repairConfig: IRepairConfig; + constructor(logger: ILogger, jsonUtil: JsonUtil, randomUtil: RandomUtil, databaseServer: DatabaseServer, configServer: ConfigServer); + /** + * Alter an items durability after a repair by trader/repair kit + * @param itemToRepair item to update durability details + * @param itemToRepairDetails db details of item to repair + * @param isArmor Is item being repaired a piece of armor + * @param amountToRepair how many unit of durability to repair + * @param useRepairKit Is item being repaired with a repair kit + * @param traderQualityMultipler Trader quality value from traders base json + * @param applyMaxDurabilityDegradation should item have max durability reduced + */ + updateItemDurability(itemToRepair: Item, itemToRepairDetails: ITemplateItem, isArmor: boolean, amountToRepair: number, useRepairKit: boolean, traderQualityMultipler: number, applyMaxDurabilityDegradation?: boolean): void; + /** + * Repairing armor reduces the total durability value slightly, get a randomised (to 2dp) amount based on armor material + * @param armorMaterial What material is the armor being repaired made of + * @param isRepairKit Was a repair kit used + * @param armorMax Max amount of durability item can have + * @param traderQualityMultipler Different traders produce different loss values + * @returns Amount to reduce max durability by + */ + protected getRandomisedArmorRepairDegradationValue(armorMaterial: string, isRepairKit: boolean, armorMax: number, traderQualityMultipler: number): number; + /** + * Repairing weapons reduces the total durability value slightly, get a randomised (to 2dp) amount + * @param itemProps Weapon properties + * @param isRepairKit Was a repair kit used + * @param weaponMax ax amount of durability item can have + * @param traderQualityMultipler Different traders produce different loss values + * @returns Amount to reduce max durability by + */ + protected getRandomisedWeaponRepairDegradationValue(itemProps: Props, isRepairKit: boolean, weaponMax: number, traderQualityMultipler: number): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/RepeatableQuestHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/RepeatableQuestHelper.d.ts new file mode 100644 index 0000000..6e0290d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/RepeatableQuestHelper.d.ts @@ -0,0 +1,20 @@ +import { IEliminationConfig, IQuestConfig, IRepeatableQuestConfig } from "@spt-aki/models/spt/config/IQuestConfig"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { MathUtil } from "@spt-aki/utils/MathUtil"; +import { ProbabilityObject, ProbabilityObjectArray } from "@spt-aki/utils/RandomUtil"; +export declare class RepeatableQuestHelper { + protected mathUtil: MathUtil; + protected jsonUtil: JsonUtil; + protected configServer: ConfigServer; + protected questConfig: IQuestConfig; + constructor(mathUtil: MathUtil, jsonUtil: JsonUtil, configServer: ConfigServer); + /** + * Get the relevant elimination config based on the current players PMC level + * @param pmcLevel Level of PMC character + * @param repeatableConfig Main repeatable config + * @returns IEliminationConfig + */ + getEliminationConfigByPmcLevel(pmcLevel: number, repeatableConfig: IRepeatableQuestConfig): IEliminationConfig; + probabilityObjectArray(configArrayInput: ProbabilityObject[]): ProbabilityObjectArray; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/SecureContainerHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/SecureContainerHelper.d.ts new file mode 100644 index 0000000..36b227c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/SecureContainerHelper.d.ts @@ -0,0 +1,18 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +export interface OwnerInventoryItems { + from: Item[]; + to: Item[]; + sameInventory: boolean; + isMail: boolean; +} +export declare class SecureContainerHelper { + protected itemHelper: ItemHelper; + constructor(itemHelper: ItemHelper); + /** + * Get an array of the item IDs (NOT tpls) inside a secure container + * @param items Inventory items to look for secure container in + * @returns Array of ids + */ + getSecureContainerItems(items: Item[]): string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/TradeHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/TradeHelper.d.ts new file mode 100644 index 0000000..bf8360d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/TradeHelper.d.ts @@ -0,0 +1,63 @@ +import { InventoryHelper } from "@spt-aki/helpers/InventoryHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Item, Upd } from "@spt-aki/models/eft/common/tables/IItem"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IProcessBuyTradeRequestData } from "@spt-aki/models/eft/trade/IProcessBuyTradeRequestData"; +import { IProcessSellTradeRequestData } from "@spt-aki/models/eft/trade/IProcessSellTradeRequestData"; +import { ITraderConfig } from "@spt-aki/models/spt/config/ITraderConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { RagfairServer } from "@spt-aki/servers/RagfairServer"; +import { FenceService } from "@spt-aki/services/FenceService"; +import { PaymentService } from "@spt-aki/services/PaymentService"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +export declare class TradeHelper { + protected logger: ILogger; + protected eventOutputHolder: EventOutputHolder; + protected traderHelper: TraderHelper; + protected itemHelper: ItemHelper; + protected paymentService: PaymentService; + protected fenceService: FenceService; + protected httpResponse: HttpResponseUtil; + protected inventoryHelper: InventoryHelper; + protected ragfairServer: RagfairServer; + protected configServer: ConfigServer; + protected traderConfig: ITraderConfig; + constructor(logger: ILogger, eventOutputHolder: EventOutputHolder, traderHelper: TraderHelper, itemHelper: ItemHelper, paymentService: PaymentService, fenceService: FenceService, httpResponse: HttpResponseUtil, inventoryHelper: InventoryHelper, ragfairServer: RagfairServer, configServer: ConfigServer); + /** + * Buy item from flea or trader + * @param pmcData Player profile + * @param buyRequestData data from client + * @param sessionID Session id + * @param foundInRaid Should item be found in raid + * @param upd optional item details used when buying from flea + * @returns + */ + buyItem(pmcData: IPmcData, buyRequestData: IProcessBuyTradeRequestData, sessionID: string, foundInRaid: boolean, upd: Upd): IItemEventRouterResponse; + /** + * Sell item to trader + * @param profileWithItemsToSell Profile to remove items from + * @param profileToReceiveMoney Profile to accept the money for selling item + * @param sellRequest Request data + * @param sessionID Session id + * @returns IItemEventRouterResponse + */ + sellItem(profileWithItemsToSell: IPmcData, profileToReceiveMoney: IPmcData, sellRequest: IProcessSellTradeRequestData, sessionID: string): IItemEventRouterResponse; + /** + * Increment the assorts buy count by number of items purchased + * Show error on screen if player attempts to buy more than what the buy max allows + * @param assortBeingPurchased assort being bought + * @param itemsPurchasedCount number of items being bought + */ + protected incrementAssortBuyCount(assortBeingPurchased: Item, itemsPurchasedCount: number): void; + /** + * Traders allow a limited number of purchases per refresh cycle (default 60 mins) + * @param assortBeingPurchased the item from trader being bought + * @param assortId Id of assort being purchased + * @param count How many are being bought + */ + protected checkPurchaseIsWithinTraderItemLimit(assortBeingPurchased: Item, assortId: string, count: number): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/TraderAssortHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/TraderAssortHelper.d.ts new file mode 100644 index 0000000..0b6effb --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/TraderAssortHelper.d.ts @@ -0,0 +1,83 @@ +import { RagfairAssortGenerator } from "@spt-aki/generators/RagfairAssortGenerator"; +import { RagfairOfferGenerator } from "@spt-aki/generators/RagfairOfferGenerator"; +import { AssortHelper } from "@spt-aki/helpers/AssortHelper"; +import { PaymentHelper } from "@spt-aki/helpers/PaymentHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITrader, ITraderAssort } from "@spt-aki/models/eft/common/tables/ITrader"; +import { ITraderConfig } from "@spt-aki/models/spt/config/ITraderConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { FenceService } from "@spt-aki/services/FenceService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { TraderAssortService } from "@spt-aki/services/TraderAssortService"; +import { TraderPurchasePersisterService } from "@spt-aki/services/TraderPurchasePersisterService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { MathUtil } from "@spt-aki/utils/MathUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class TraderAssortHelper { + protected logger: ILogger; + protected jsonUtil: JsonUtil; + protected mathUtil: MathUtil; + protected timeUtil: TimeUtil; + protected databaseServer: DatabaseServer; + protected profileHelper: ProfileHelper; + protected assortHelper: AssortHelper; + protected paymentHelper: PaymentHelper; + protected ragfairAssortGenerator: RagfairAssortGenerator; + protected ragfairOfferGenerator: RagfairOfferGenerator; + protected traderAssortService: TraderAssortService; + protected localisationService: LocalisationService; + protected traderPurchasePersisterService: TraderPurchasePersisterService; + protected traderHelper: TraderHelper; + protected fenceService: FenceService; + protected configServer: ConfigServer; + protected traderConfig: ITraderConfig; + protected mergedQuestAssorts: Record>; + protected createdMergedQuestAssorts: boolean; + constructor(logger: ILogger, jsonUtil: JsonUtil, mathUtil: MathUtil, timeUtil: TimeUtil, databaseServer: DatabaseServer, profileHelper: ProfileHelper, assortHelper: AssortHelper, paymentHelper: PaymentHelper, ragfairAssortGenerator: RagfairAssortGenerator, ragfairOfferGenerator: RagfairOfferGenerator, traderAssortService: TraderAssortService, localisationService: LocalisationService, traderPurchasePersisterService: TraderPurchasePersisterService, traderHelper: TraderHelper, fenceService: FenceService, configServer: ConfigServer); + /** + * Get a traders assorts + * Can be used for returning ragfair / fence assorts + * Filter out assorts not unlocked due to level OR quest completion + * @param sessionId session id + * @param traderId traders id + * @param flea Should assorts player hasn't unlocked be returned - default false + * @returns a traders' assorts + */ + getAssort(sessionId: string, traderId: string, flea?: boolean): ITraderAssort; + /** + * Create a dict of all assort id = quest id mappings used to work out what items should be shown to player based on the quests they've started/completed/failed + */ + protected hydrateMergedQuestAssorts(): void; + /** + * Reset a traders assorts and move nextResupply value to future + * Flag trader as needing a flea offer reset to be picked up by flea update() function + * @param trader trader details to alter + */ + resetExpiredTrader(trader: ITrader): void; + /** + * Does the supplied trader need its assorts refreshed + * @param traderID Trader to check + * @returns true they need refreshing + */ + traderAssortsHaveExpired(traderID: string): boolean; + /** + * Iterate over all assorts barter_scheme values, find barters selling for money and multiply by multipler in config + * @param traderAssort Assorts to multiple price of + */ + protected multiplyItemPricesByConfigMultiplier(traderAssort: ITraderAssort): void; + /** + * Get an array of pristine trader items prior to any alteration by player (as they were on server start) + * @param traderId trader id + * @returns array of Items + */ + protected getPristineTraderAssorts(traderId: string): Item[]; + /** + * Returns generated ragfair offers in a trader assort format + * @returns Trader assort object + */ + protected getRagfairDataAsTraderAssort(): ITraderAssort; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/TraderHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/TraderHelper.d.ts new file mode 100644 index 0000000..8d8da00 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/TraderHelper.d.ts @@ -0,0 +1,171 @@ +import { HandbookHelper } from "@spt-aki/helpers/HandbookHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ProfileTraderTemplate } from "@spt-aki/models/eft/common/tables/IProfileTemplate"; +import { ITraderAssort, ITraderBase, LoyaltyLevel } from "@spt-aki/models/eft/common/tables/ITrader"; +import { Traders } from "@spt-aki/models/enums/Traders"; +import { ITraderConfig } from "@spt-aki/models/spt/config/ITraderConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { FenceService } from "@spt-aki/services/FenceService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { PlayerService } from "@spt-aki/services/PlayerService"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class TraderHelper { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected saveServer: SaveServer; + protected profileHelper: ProfileHelper; + protected handbookHelper: HandbookHelper; + protected itemHelper: ItemHelper; + protected playerService: PlayerService; + protected localisationService: LocalisationService; + protected fenceService: FenceService; + protected timeUtil: TimeUtil; + protected randomUtil: RandomUtil; + protected configServer: ConfigServer; + protected traderConfig: ITraderConfig; + /** Dictionary of item tpl and the highest trader sell rouble price */ + protected highestTraderPriceItems: Record; + /** Dictionary of item tpl and the highest trader buy back rouble price */ + protected highestTraderBuyPriceItems: Record; + constructor(logger: ILogger, databaseServer: DatabaseServer, saveServer: SaveServer, profileHelper: ProfileHelper, handbookHelper: HandbookHelper, itemHelper: ItemHelper, playerService: PlayerService, localisationService: LocalisationService, fenceService: FenceService, timeUtil: TimeUtil, randomUtil: RandomUtil, configServer: ConfigServer); + /** + * Get a trader base object, update profile to reflect players current standing in profile + * when trader not found in profile + * @param traderID Traders Id to get + * @param sessionID Players id + * @returns Trader base + */ + getTrader(traderID: string, sessionID: string): ITraderBase; + /** + * Get all assort data for a particular trader + * @param traderId Trader to get assorts for + * @returns ITraderAssort + */ + getTraderAssortsByTraderId(traderId: string): ITraderAssort; + /** + * Retrieve the Item from a traders assort data by its id + * @param traderId Trader to get assorts for + * @param assortId Id of assort to find + * @returns Item object + */ + getTraderAssortItemByAssortId(traderId: string, assortId: string): Item; + /** + * Reset a profiles trader data back to its initial state as seen by a level 1 player + * Does NOT take into account different profile levels + * @param sessionID session id + * @param traderID trader id to reset + */ + resetTrader(sessionID: string, traderID: string): void; + /** + * Get the starting standing of a trader based on the current profiles type (e.g. EoD, Standard etc) + * @param traderId Trader id to get standing for + * @param rawProfileTemplate Raw profile from profiles.json to look up standing from + * @returns Standing value + */ + protected getStartingStanding(traderId: string, rawProfileTemplate: ProfileTraderTemplate): number; + /** + * Alter a traders unlocked status + * @param traderId Trader to alter + * @param status New status to use + * @param sessionId Session id + */ + setTraderUnlockedState(traderId: string, status: boolean, sessionId: string): void; + /** + * Add standing to a trader and level them up if exp goes over level threshold + * @param sessionId Session id + * @param traderId Traders id + * @param standingToAdd Standing value to add to trader + */ + addStandingToTrader(sessionId: string, traderId: string, standingToAdd: number): void; + /** + * Add standing to current standing and clamp value if it goes too low + * @param currentStanding current trader standing + * @param standingToAdd stansding to add to trader standing + * @returns current standing + added standing (clamped if needed) + */ + protected addStandingValuesTogether(currentStanding: number, standingToAdd: number): number; + /** + * Calculate traders level based on exp amount and increments level if over threshold + * @param traderID trader to check standing of + * @param pmcData profile to update trader in + */ + lvlUp(traderID: string, pmcData: IPmcData): void; + /** + * Get the next update timestamp for a trader + * @param traderID Trader to look up update value for + * @returns future timestamp + */ + getNextUpdateTimestamp(traderID: string): number; + /** + * Get the reset time between trader assort refreshes in seconds + * @param traderId Trader to look up + * @returns Time in seconds + */ + getTraderUpdateSeconds(traderId: string): number; + getLoyaltyLevel(traderID: string, pmcData: IPmcData): LoyaltyLevel; + /** + * Store the purchase of an assort from a trader in the player profile + * @param sessionID Session id + * @param newPurchaseDetails New item assort id + count + */ + addTraderPurchasesToPlayerProfile(sessionID: string, newPurchaseDetails: { + items: { + item_id: string; + count: number; + }[]; + tid: string; + }): void; + /** + * Get the highest rouble price for an item from traders + * UNUSED + * @param tpl Item to look up highest pride for + * @returns highest rouble cost for item + */ + getHighestTraderPriceRouble(tpl: string): number; + /** + * Get the highest price item can be sold to trader for (roubles) + * @param tpl Item to look up best trader sell-to price + * @returns Rouble price + */ + getHighestSellToTraderPrice(tpl: string): number; + /** + * Get a trader enum key by its value + * @param traderId Traders id + * @returns Traders key + */ + getTraderById(traderId: string): Traders; + /** + * Validates that the provided traderEnumValue exists in the Traders enum. If the value is valid, it returns the + * same enum value, effectively serving as a trader ID; otherwise, it logs an error and returns an empty string. + * This method provides a runtime check to prevent undefined behavior when using the enum as a dictionary key. + * + * For example, instead of this: + * `const traderId = Traders[Traders.PRAPOR];` + * + * You can use safely use this: + * `const traderId = this.traderHelper.getValidTraderIdByEnumValue(Traders.PRAPOR);` + * + * @param traderEnumValue The trader enum value to validate + * @returns The validated trader enum value as a string, or an empty string if invalid + */ + getValidTraderIdByEnumValue(traderEnumValue: Traders): string; + /** + * Does the 'Traders' enum has a value that matches the passed in parameter + * @param key Value to check for + * @returns True, values exists in Traders enum as a value + */ + traderEnumHasKey(key: string): boolean; + /** + * Accepts a trader id + * @param traderId Trader id + * @returns Ttrue if Traders enum has the param as a value + */ + traderEnumHasValue(traderId: string): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/UtilityHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/UtilityHelper.d.ts new file mode 100644 index 0000000..5d9f482 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/UtilityHelper.d.ts @@ -0,0 +1,3 @@ +export declare class UtilityHelper { + arrayIntersect(a: T[], b: T[]): T[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/helpers/WeightedRandomHelper.d.ts b/TypeScript/23CustomAbstractChatBot/types/helpers/WeightedRandomHelper.d.ts new file mode 100644 index 0000000..ab42805 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/helpers/WeightedRandomHelper.d.ts @@ -0,0 +1,37 @@ +export declare class WeightedRandomHelper { + /** + * @deprecated USE getWeightedValue() WHERE POSSIBLE + * Gets a tplId from a weighted dictionary + * @param {tplId: weighting[]} itemArray + * @returns tplId + */ + getWeightedInventoryItem(itemArray: { + [tplId: string]: unknown; + } | ArrayLike): string; + /** + * Choos an item from the passed in array based on the weightings of each + * @param itemArray Items and weights to use + * @returns Chosen item from array + */ + getWeightedValue(itemArray: { + [key: string]: unknown; + } | ArrayLike): T; + /** + * Picks the random item based on its weight. + * The items with higher weight will be picked more often (with a higher probability). + * + * For example: + * - items = ['banana', 'orange', 'apple'] + * - weights = [0, 0.2, 0.8] + * - weightedRandom(items, weights) in 80% of cases will return 'apple', in 20% of cases will return + * 'orange' and it will never return 'banana' (because probability of picking the banana is 0%) + * + * @param {any[]} items + * @param {number[]} weights + * @returns {{item: any, index: number}} + */ + weightedRandom(items: any[], weights: any[]): { + item: any; + index: number; + }; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/ide/BleedingEdgeEntry.d.ts b/TypeScript/23CustomAbstractChatBot/types/ide/BleedingEdgeEntry.d.ts new file mode 100644 index 0000000..62f714e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/ide/BleedingEdgeEntry.d.ts @@ -0,0 +1,2 @@ +import "reflect-metadata"; +import "source-map-support/register"; diff --git a/TypeScript/23CustomAbstractChatBot/types/ide/DebugEntry.d.ts b/TypeScript/23CustomAbstractChatBot/types/ide/DebugEntry.d.ts new file mode 100644 index 0000000..62f714e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/ide/DebugEntry.d.ts @@ -0,0 +1,2 @@ +import "reflect-metadata"; +import "source-map-support/register"; diff --git a/TypeScript/23CustomAbstractChatBot/types/ide/ReleaseEntry.d.ts b/TypeScript/23CustomAbstractChatBot/types/ide/ReleaseEntry.d.ts new file mode 100644 index 0000000..62f714e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/ide/ReleaseEntry.d.ts @@ -0,0 +1,2 @@ +import "reflect-metadata"; +import "source-map-support/register"; diff --git a/TypeScript/23CustomAbstractChatBot/types/ide/TestEntry.d.ts b/TypeScript/23CustomAbstractChatBot/types/ide/TestEntry.d.ts new file mode 100644 index 0000000..62f714e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/ide/TestEntry.d.ts @@ -0,0 +1,2 @@ +import "reflect-metadata"; +import "source-map-support/register"; diff --git a/TypeScript/23CustomAbstractChatBot/types/loaders/BundleLoader.d.ts b/TypeScript/23CustomAbstractChatBot/types/loaders/BundleLoader.d.ts new file mode 100644 index 0000000..8e24c5a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/loaders/BundleLoader.d.ts @@ -0,0 +1,33 @@ +import { HttpServerHelper } from "@spt-aki/helpers/HttpServerHelper"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { VFS } from "@spt-aki/utils/VFS"; +declare class BundleInfo { + modPath: string; + key: string; + path: string; + filepath: string; + dependencyKeys: string[]; + constructor(modpath: string, bundle: any, bundlePath: string, bundleFilepath: string); +} +export declare class BundleLoader { + protected httpServerHelper: HttpServerHelper; + protected vfs: VFS; + protected jsonUtil: JsonUtil; + protected bundles: Record; + constructor(httpServerHelper: HttpServerHelper, vfs: VFS, jsonUtil: JsonUtil); + /** + * Handle singleplayer/bundles + */ + getBundles(local: boolean): BundleInfo[]; + getBundle(key: string, local: boolean): BundleInfo; + addBundles(modpath: string): void; + addBundle(key: string, b: BundleInfo): void; +} +export interface BundleManifest { + manifest: Array; +} +export interface BundleManifestEntry { + key: string; + path: string; +} +export {}; diff --git a/TypeScript/23CustomAbstractChatBot/types/loaders/ModLoadOrder.d.ts b/TypeScript/23CustomAbstractChatBot/types/loaders/ModLoadOrder.d.ts new file mode 100644 index 0000000..2d03dc1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/loaders/ModLoadOrder.d.ts @@ -0,0 +1,17 @@ +import { IPackageJsonData } from "@spt-aki/models/spt/mod/IPackageJsonData"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +export declare class ModLoadOrder { + protected logger: ILogger; + protected localisationService: LocalisationService; + protected mods: Map; + protected modsAvailable: Map; + protected loadOrder: Set; + constructor(logger: ILogger, localisationService: LocalisationService); + setModList(mods: Record): void; + getLoadOrder(): string[]; + getModsOnLoadBefore(mod: string): Set; + getModsOnLoadAfter(mod: string): Set; + protected invertLoadBefore(mod: string): void; + protected getLoadOrderRecursive(mod: string, visited: Set): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/loaders/ModTypeCheck.d.ts b/TypeScript/23CustomAbstractChatBot/types/loaders/ModTypeCheck.d.ts new file mode 100644 index 0000000..fb4912e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/loaders/ModTypeCheck.d.ts @@ -0,0 +1,43 @@ +import { IPostAkiLoadMod } from "@spt-aki/models/external/IPostAkiLoadMod"; +import { IPostAkiLoadModAsync } from "@spt-aki/models/external/IPostAkiLoadModAsync"; +import { IPostDBLoadMod } from "@spt-aki/models/external/IPostDBLoadMod"; +import { IPostDBLoadModAsync } from "@spt-aki/models/external/IPostDBLoadModAsync"; +import { IPreAkiLoadMod } from "@spt-aki/models/external/IPreAkiLoadMod"; +import { IPreAkiLoadModAsync } from "@spt-aki/models/external/IPreAkiLoadModAsync"; +export declare class ModTypeCheck { + /** + * Use defined safe guard to check if the mod is a IPreAkiLoadMod + * @returns boolean + */ + isPreAkiLoad(mod: any): mod is IPreAkiLoadMod; + /** + * Use defined safe guard to check if the mod is a IPostAkiLoadMod + * @returns boolean + */ + isPostAkiLoad(mod: any): mod is IPostAkiLoadMod; + /** + * Use defined safe guard to check if the mod is a IPostDBLoadMod + * @returns boolean + */ + isPostDBAkiLoad(mod: any): mod is IPostDBLoadMod; + /** + * Use defined safe guard to check if the mod is a IPreAkiLoadModAsync + * @returns boolean + */ + isPreAkiLoadAsync(mod: any): mod is IPreAkiLoadModAsync; + /** + * Use defined safe guard to check if the mod is a IPostAkiLoadModAsync + * @returns boolean + */ + isPostAkiLoadAsync(mod: any): mod is IPostAkiLoadModAsync; + /** + * Use defined safe guard to check if the mod is a IPostDBLoadModAsync + * @returns boolean + */ + isPostDBAkiLoadAsync(mod: any): mod is IPostDBLoadModAsync; + /** + * Checks for mod to be compatible with 3.X+ + * @returns boolean + */ + isPostV3Compatible(mod: any): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/loaders/PostAkiModLoader.d.ts b/TypeScript/23CustomAbstractChatBot/types/loaders/PostAkiModLoader.d.ts new file mode 100644 index 0000000..bd0731a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/loaders/PostAkiModLoader.d.ts @@ -0,0 +1,21 @@ +import { DependencyContainer } from "tsyringe"; +import { BundleLoader } from "@spt-aki/loaders/BundleLoader"; +import { ModTypeCheck } from "@spt-aki/loaders/ModTypeCheck"; +import { PreAkiModLoader } from "@spt-aki/loaders/PreAkiModLoader"; +import { IModLoader } from "@spt-aki/models/spt/mod/IModLoader"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { VFS } from "@spt-aki/utils/VFS"; +export declare class PostAkiModLoader implements IModLoader { + protected logger: ILogger; + protected bundleLoader: BundleLoader; + protected vfs: VFS; + protected preAkiModLoader: PreAkiModLoader; + protected localisationService: LocalisationService; + protected modTypeCheck: ModTypeCheck; + constructor(logger: ILogger, bundleLoader: BundleLoader, vfs: VFS, preAkiModLoader: PreAkiModLoader, localisationService: LocalisationService, modTypeCheck: ModTypeCheck); + getModPath(mod: string): string; + load(): Promise; + protected executeMods(container: DependencyContainer): Promise; + protected addBundles(): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/loaders/PostDBModLoader.d.ts b/TypeScript/23CustomAbstractChatBot/types/loaders/PostDBModLoader.d.ts new file mode 100644 index 0000000..d57e321 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/loaders/PostDBModLoader.d.ts @@ -0,0 +1,17 @@ +import { DependencyContainer } from "tsyringe"; +import { OnLoad } from "@spt-aki/di/OnLoad"; +import { ModTypeCheck } from "@spt-aki/loaders/ModTypeCheck"; +import { PreAkiModLoader } from "@spt-aki/loaders/PreAkiModLoader"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +export declare class PostDBModLoader implements OnLoad { + protected logger: ILogger; + protected preAkiModLoader: PreAkiModLoader; + protected localisationService: LocalisationService; + protected modTypeCheck: ModTypeCheck; + constructor(logger: ILogger, preAkiModLoader: PreAkiModLoader, localisationService: LocalisationService, modTypeCheck: ModTypeCheck); + onLoad(): Promise; + getRoute(): string; + getModPath(mod: string): string; + protected executeMods(container: DependencyContainer): Promise; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/loaders/PreAkiModLoader.d.ts b/TypeScript/23CustomAbstractChatBot/types/loaders/PreAkiModLoader.d.ts new file mode 100644 index 0000000..71fd745 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/loaders/PreAkiModLoader.d.ts @@ -0,0 +1,102 @@ +import { DependencyContainer } from "tsyringe"; +import { BundleLoader } from "@spt-aki/loaders/BundleLoader"; +import { ModLoadOrder } from "@spt-aki/loaders/ModLoadOrder"; +import { ModTypeCheck } from "@spt-aki/loaders/ModTypeCheck"; +import { ModDetails } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { ICoreConfig } from "@spt-aki/models/spt/config/ICoreConfig"; +import { IModLoader } from "@spt-aki/models/spt/mod/IModLoader"; +import { IPackageJsonData } from "@spt-aki/models/spt/mod/IPackageJsonData"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { ModCompilerService } from "@spt-aki/services/ModCompilerService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { VFS } from "@spt-aki/utils/VFS"; +export declare class PreAkiModLoader implements IModLoader { + protected logger: ILogger; + protected vfs: VFS; + protected jsonUtil: JsonUtil; + protected modCompilerService: ModCompilerService; + protected bundleLoader: BundleLoader; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected modLoadOrder: ModLoadOrder; + protected modTypeCheck: ModTypeCheck; + protected static container: DependencyContainer; + protected readonly basepath = "user/mods/"; + protected readonly modOrderPath = "user/mods/order.json"; + protected order: Record; + protected imported: Record; + protected akiConfig: ICoreConfig; + protected serverDependencies: Record; + protected skippedMods: Set; + constructor(logger: ILogger, vfs: VFS, jsonUtil: JsonUtil, modCompilerService: ModCompilerService, bundleLoader: BundleLoader, localisationService: LocalisationService, configServer: ConfigServer, modLoadOrder: ModLoadOrder, modTypeCheck: ModTypeCheck); + load(container: DependencyContainer): Promise; + /** + * Returns a list of mods with preserved load order + * @returns Array of mod names in load order + */ + getImportedModsNames(): string[]; + getImportedModDetails(): Record; + getProfileModsGroupedByModName(profileMods: ModDetails[]): ModDetails[]; + getModPath(mod: string): string; + protected importModsAsync(): Promise; + protected sortMods(prev: string, next: string, missingFromOrderJSON: Record): number; + /** + * Check for duplicate mods loaded, show error if any + * @param modPackageData map of mod package.json data + */ + protected checkForDuplicateMods(modPackageData: Map): void; + /** + * Returns an array of valid mods. + * + * @param mods mods to validate + * @returns array of mod folder names + */ + protected getValidMods(mods: string[]): string[]; + /** + * Get packageJson data for mods + * @param mods mods to get packageJson for + * @returns map + */ + protected getModsPackageData(mods: string[]): Map; + /** + * Is the passed in mod compatible with the running server version + * @param mod Mod to check compatibiltiy with AKI + * @returns True if compatible + */ + protected isModCombatibleWithAki(mod: IPackageJsonData): boolean; + /** + * Execute each mod found in this.imported + * @param container Dependence container to give to mod when it runs + * @returns void promise + */ + protected executeModsAsync(container: DependencyContainer): Promise; + /** + * Read loadorder.json (create if doesnt exist) and return sorted list of mods + * @returns string array of sorted mod names + */ + sortModsLoadOrder(): string[]; + /** + * Compile mod and add into class property "imported" + * @param mod Name of mod to compile/add + */ + protected addModAsync(mod: string, pkg: IPackageJsonData): Promise; + /** + * Checks if a given mod should be loaded or skipped. + * + * @param pkg mod package.json data + * @returns + */ + protected shouldSkipMod(pkg: IPackageJsonData): boolean; + protected autoInstallDependencies(modPath: string, pkg: IPackageJsonData): void; + protected areModDependenciesFulfilled(pkg: IPackageJsonData, loadedMods: Map): boolean; + protected isModCompatible(mod: IPackageJsonData, loadedMods: Map): boolean; + /** + * Validate a mod passes a number of checks + * @param modName name of mod in /mods/ to validate + * @returns true if valid + */ + protected validMod(modName: string): boolean; + getContainer(): DependencyContainer; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/common/MinMax.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/common/MinMax.d.ts new file mode 100644 index 0000000..bc118a8 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/common/MinMax.d.ts @@ -0,0 +1,4 @@ +export interface MinMax { + max: number; + min: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/bot/IGenerateBotsRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/bot/IGenerateBotsRequestData.d.ts new file mode 100644 index 0000000..f1f7013 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/bot/IGenerateBotsRequestData.d.ts @@ -0,0 +1,9 @@ +export interface IGenerateBotsRequestData { + conditions: Condition[]; +} +export interface Condition { + /** e.g. assault/pmcBot/bossKilla */ + Role: string; + Limit: number; + Difficulty: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/bot/IRandomisedBotLevelResult.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/bot/IRandomisedBotLevelResult.d.ts new file mode 100644 index 0000000..75bd936 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/bot/IRandomisedBotLevelResult.d.ts @@ -0,0 +1,4 @@ +export interface IRandomisedBotLevelResult { + level: number; + exp: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/IEmptyRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/IEmptyRequestData.d.ts new file mode 100644 index 0000000..284d16e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/IEmptyRequestData.d.ts @@ -0,0 +1,2 @@ +export interface IEmptyRequestData { +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/IGlobals.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/IGlobals.d.ts new file mode 100644 index 0000000..276514e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/IGlobals.d.ts @@ -0,0 +1,1353 @@ +import { Ixyz } from "@spt-aki/models/eft/common/Ixyz"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +export interface IGlobals { + time: number; + config: IConfig; + bot_presets: IBotPreset[]; + AudioSettings: IAudioSettings; + BotWeaponScatterings: IBotWeaponScattering[]; + ItemPresets: Record; +} +export interface IConfig { + content: IContent; + AimPunchMagnitude: number; + WeaponSkillProgressRate: number; + SkillAtrophy: boolean; + exp: IExp; + t_base_looting: number; + t_base_lockpicking: number; + armor: IArmor; + SessionsToShowHotKeys: number; + MaxBotsAliveOnMap: number; + SavagePlayCooldown: number; + SavagePlayCooldownNdaFree: number; + MarksmanAccuracy: number; + SavagePlayCooldownDevelop: number; + TODSkyDate: string; + Mastering: IMastering[]; + GlobalItemPriceModifier: number; + TradingUnlimitedItems: boolean; + MaxLoyaltyLevelForAll: boolean; + GlobalLootChanceModifier: number; + GraphicSettings: IGraphicSettings; + TimeBeforeDeploy: number; + TimeBeforeDeployLocal: number; + TradingSetting: number; + TradingSettings: ITradingSettings; + ItemsCommonSettings: IItemsCommonSettings; + LoadTimeSpeedProgress: number; + BaseLoadTime: number; + BaseUnloadTime: number; + BaseCheckTime: number; + Customization: ICustomization; + UncheckOnShot: boolean; + BotsEnabled: boolean; + BufferZone: IBufferZone; + ArmorMaterials: IArmorMaterials; + LegsOverdamage: number; + HandsOverdamage: number; + StomachOverdamage: number; + Health: IHealth; + rating: IRating; + tournament: ITournament; + RagFair: IRagFair; + handbook: IHandbook; + FractureCausedByFalling: IProbability; + FractureCausedByBulletHit: IProbability; + WAVE_COEF_LOW: number; + WAVE_COEF_MID: number; + WAVE_COEF_HIGH: number; + WAVE_COEF_HORDE: number; + Stamina: IStamina; + StaminaRestoration: IStaminaRestoration; + StaminaDrain: IStaminaDrain; + RequirementReferences: IRequirementReferences; + RestrictionsInRaid: IRestrictionsInRaid[]; + SkillMinEffectiveness: number; + SkillFatiguePerPoint: number; + SkillFreshEffectiveness: number; + SkillFreshPoints: number; + SkillPointsBeforeFatigue: number; + SkillFatigueReset: number; + DiscardLimitsEnabled: boolean; + EventType: string[]; + WalkSpeed: Ixyz; + SprintSpeed: Ixyz; + SquadSettings: ISquadSettings; + SkillEnduranceWeightThreshold: number; + TeamSearchingTimeout: number; + Insurance: IInsurance; + SkillExpPerLevel: number; + GameSearchingTimeout: number; + WallContusionAbsorption: Ixyz; + WeaponFastDrawSettings: IWeaponFastDrawSettings; + SkillsSettings: ISkillsSettings; + AzimuthPanelShowsPlayerOrientation: boolean; + Aiming: IAiming; + Malfunction: IMalfunction; + Overheat: IOverheat; + FenceSettings: IFenceSettings; + TestValue: number; + Inertia: IInertia; + Ballistic: IBallistic; + RepairSettings: IRepairSettings; +} +export interface IWeaponFastDrawSettings { + HandShakeCurveFrequency: number; + HandShakeCurveIntensity: number; + HandShakeMaxDuration: number; + HandShakeTremorIntensity: number; + WeaponFastSwitchMaxSpeedMult: number; + WeaponFastSwitchMinSpeedMult: number; + WeaponPistolFastSwitchMaxSpeedMult: number; + WeaponPistolFastSwitchMinSpeedMult: number; +} +export interface IGraphicSettings { + ExperimentalFogInCity: boolean; +} +export interface IBufferZone { + CustomerAccessTime: number; + CustomerCriticalTimeStart: number; + CustomerKickNotifTime: number; +} +export interface IItemsCommonSettings { + ItemRemoveAfterInterruptionTime: number; +} +export interface ITradingSettings { + BuyoutRestrictions: IBuyoutRestrictions; +} +export interface IBuyoutRestrictions { + MinDurability: number; + MinFoodDrinkResource: number; + MinMedsResource: number; +} +export interface IContent { + ip: string; + port: number; + root: string; +} +export interface IExp { + heal: IHeal; + match_end: IMatchEnd; + kill: IKill; + level: ILevel; + loot_attempts: ILootAttempt[]; + expForLockedDoorOpen: number; + expForLockedDoorBreach: number; + triggerMult: number; +} +export interface IHeal { + expForHeal: number; + expForHydration: number; + expForEnergy: number; +} +export interface IMatchEnd { + README: string; + survived_exp_requirement: number; + survived_seconds_requirement: number; + survived_exp_reward: number; + mia_exp_reward: number; + runner_exp_reward: number; + leftMult: number; + miaMult: number; + survivedMult: number; + runnerMult: number; + killedMult: number; +} +export interface IKill { + combo: ICombo[]; + victimLevelExp: number; + headShotMult: number; + expOnDamageAllHealth: number; + longShotDistance: number; + bloodLossToLitre: number; + botExpOnDamageAllHealth: number; + botHeadShotMult: number; + victimBotLevelExp: number; + pmcExpOnDamageAllHealth: number; + pmcHeadShotMult: number; +} +export interface ICombo { + percent: number; +} +export interface ILevel { + exp_table: IExpTable[]; + trade_level: number; + savage_level: number; + clan_level: number; + mastering1: number; + mastering2: number; +} +export interface IExpTable { + exp: number; +} +export interface ILootAttempt { + k_exp: number; +} +export interface IArmor { + class: IClass[]; +} +export interface IClass { + resistance: number; +} +export interface IMastering { + Name: string; + Templates: string[]; + Level2: number; + Level3: number; +} +export interface ICustomization { + SavageHead: ISavageHead; + SavageBody: ISavageBody; + SavageFeet: ISavageFeet; + CustomizationVoice: ICustomizationVoice[]; + BodyParts: IBodyParts; +} +export interface ISavageHead { + wild_head_1: IWildHead; + wild_head_2: IWildHead; + wild_head_3: IWildHead; + Wild_Dealmaker_head: IWildHead; + Wild_Killa_head: IWildHead; + bear_head: IWildHead; + bear_head_1: IWildHead; + usec_head_1: IWildHead; + Head_BOSS_Glukhar: IWildHead; + Wild_Head_nonMesh: IWildHead; + Head_BOSS_Sanitar: IWildHead; + wild_head_drozd: IWildHead; + wild_head_misha: IWildHead; + head_cultist_01: IWildHead; + head_cultist_02: IWildHead; + head_cultist_03: IWildHead; + DefaultUsecHead: IWildHead; + usec_head_3: IWildHead; + usec_head_4: IWildHead; + usec_head_5: IWildHead; +} +export interface IWildHead { + head: string; + isNotRandom: boolean; + NotRandom: boolean; +} +export interface ISavageBody { + wild_body: IWildBody; + wild_body_1: IWildBody; + wild_body_2: IWildBody; + wild_body_3: IWildBody; + Wild_Dealmaker_body: IWildBody; + wild_security_body_1: IWildBody; + wild_security_body_2: IWildBody; + wild_Killa_body: IWildBody; + wild_pmcBot_body: IWildBody; + wild_Shturman_body: IWildBody; + wild_Gluhar_body: IWildBody; + Tshirt_security_TshirtTatu_01: IWildBody; + Tshirt_security_TshirtTatu_02: IWildBody; + Top_security_Husky: IWildBody; + Top_security_Gorka4: IWildBody; + scav_kit_upper_meteor: IWildBody; + wild_body_russia1: IWildBody; + Top_BOSS_Sanitar: IWildBody; + wild_body_motocross: IWildBody; + top_cultist_01: IWildBody; + top_cultist_02: IWildBody; + wild_body_rainparka: IWildBody; + wild_body_underarmour: IWildBody; + top_boss_tagilla: IWildBody; + DefaultUsecBody: IWildBody; + usec_upper_acu: IWildBody; + usec_upper_commando: IWildBody; + usec_upper_aggressor: IWildBody; + usec_upper_hoody: IWildBody; + usec_upper_pcuironsight: IWildBody; + usec_top_beltstaff: IWildBody; + usec_upper_flexion: IWildBody; + usec_upper_tier3: IWildBody; + usec_upper_pcsmulticam: IWildBody; + usec_upper_tier_2: IWildBody; + usec_upper_infiltrator: IWildBody; + user_upper_NightPatrol: IWildBody; + wild_body_bomber: IWildBody; + wild_top_yellowcoat: IWildBody; +} +export interface IWildBody { + body: string; + hands: string; + isNotRandom: boolean; +} +export interface ISavageFeet { + wild_feet: IWildFeet; + wild_feet_1: IWildFeet; + wild_feet_2: IWildFeet; + Wild_Dealmaker_feet: IWildFeet; + wild_security_feet_1: IWildFeet; + Wild_Killa_feet: IWildFeet; + wild_pmcBot_feet: IWildFeet; + Pants_BOSS_Glukhar: IWildFeet; + Pants_BOSS_Shturman: IWildFeet; + Pants_security_Gorka4: IWildFeet; + Pants_security_Flora: IWildFeet; + scav_kit_lower_sklon: IWildFeet; + Pants_BOSS_Sanitar: IWildFeet; + wild_feet_sweatpants: IWildFeet; + wild_feet_wasatch: IWildFeet; + wild_feet_slimPants: IWildFeet; + pants_cultist_01: IWildFeet; + pants_cultist_02: IWildFeet; + wild_feet_scavelite_taclite: IWildFeet; + pants_boss_tagilla: IWildFeet; + wild_feet_bomber: IWildFeet; + wild_pants_yellowcoat: IWildFeet; +} +export interface IWildFeet { + feet: string; + isNotRandom: boolean; + NotRandom: boolean; +} +export interface ICustomizationVoice { + voice: string; + side: string[]; + isNotRandom: boolean; +} +export interface IBodyParts { + Head: string; + Body: string; + Feet: string; + Hands: string; +} +export interface IArmorMaterials { + UHMWPE: IArmorType; + Aramid: IArmorType; + Combined: IArmorType; + Titan: IArmorType; + Aluminium: IArmorType; + ArmoredSteel: IArmorType; + Ceramic: IArmorType; + Glass: IArmorType; +} +export interface IArmorType { + Destructibility: number; + MinRepairDegradation: number; + MaxRepairDegradation: number; + ExplosionDestructibility: number; + MinRepairKitDegradation: number; + MaxRepairKitDegradation: number; +} +export interface IHealth { + Falling: IFalling; + Effects: IEffects; + HealPrice: IHealPrice; + ProfileHealthSettings: IProfileHealthSettings; +} +export interface IFalling { + DamagePerMeter: number; + SafeHeight: number; +} +export interface IEffects { + Existence: IExistence; + Dehydration: IDehydration; + BreakPart: IBreakPart; + Contusion: IContusion; + Disorientation: IDisorientation; + Exhaustion: IExhaustion; + LowEdgeHealth: ILowEdgeHealth; + RadExposure: IRadExposure; + Stun: IStun; + Intoxication: Intoxication; + Regeneration: IRegeneration; + Wound: IWound; + Berserk: IBerserk; + Flash: IFlash; + MedEffect: IMedEffect; + Pain: IPain; + PainKiller: IPainKiller; + SandingScreen: ISandingScreen; + MildMusclePain: IMusclePainEffect; + SevereMusclePain: IMusclePainEffect; + Stimulator: IStimulator; + Tremor: ITremor; + ChronicStaminaFatigue: IChronicStaminaFatigue; + Fracture: IFracture; + HeavyBleeding: IHeavyBleeding; + LightBleeding: ILightBleeding; + BodyTemperature: IBodyTemperature; +} +export interface IExistence { + EnergyLoopTime: number; + HydrationLoopTime: number; + EnergyDamage: number; + HydrationDamage: number; + DestroyedStomachEnergyTimeFactor: number; + DestroyedStomachHydrationTimeFactor: number; +} +export interface IDehydration { + DefaultDelay: number; + DefaultResidueTime: number; + BleedingHealth: number; + BleedingLoopTime: number; + BleedingLifeTime: number; + DamageOnStrongDehydration: number; + StrongDehydrationLoopTime: number; +} +export interface IBreakPart { + DefaultDelay: number; + DefaultResidueTime: number; + HealExperience: number; + OfflineDurationMin: number; + OfflineDurationMax: number; + RemovePrice: number; + RemovedAfterDeath: boolean; + BulletHitProbability: IProbability; + FallingProbability: IProbability; +} +export interface IContusion { + Dummy: number; +} +export interface IDisorientation { + Dummy: number; +} +export interface IExhaustion { + DefaultDelay: number; + DefaultResidueTime: number; + Damage: number; + DamageLoopTime: number; +} +export interface ILowEdgeHealth { + DefaultDelay: number; + DefaultResidueTime: number; + StartCommonHealth: number; +} +export interface IRadExposure { + Damage: number; + DamageLoopTime: number; +} +export interface IStun { + Dummy: number; +} +export interface Intoxication { + DefaultDelay: number; + DefaultResidueTime: number; + DamageHealth: number; + HealthLoopTime: number; + OfflineDurationMin: number; + OfflineDurationMax: number; + RemovedAfterDeath: boolean; + HealExperience: number; + RemovePrice: number; +} +export interface IRegeneration { + LoopTime: number; + MinimumHealthPercentage: number; + Energy: number; + Hydration: number; + BodyHealth: IBodyHealth; + Influences: IInfluences; +} +export interface IBodyHealth { + Head: IBodyHealthValue; + Chest: IBodyHealthValue; + Stomach: IBodyHealthValue; + LeftArm: IBodyHealthValue; + RightArm: IBodyHealthValue; + LeftLeg: IBodyHealthValue; + RightLeg: IBodyHealthValue; +} +export interface IBodyHealthValue { + Value: number; +} +export interface IInfluences { + LightBleeding: IInfluence; + HeavyBleeding: IInfluence; + Fracture: IInfluence; + RadExposure: IInfluence; + Intoxication: IInfluence; +} +export interface IInfluence { + HealthSlowDownPercentage: number; + EnergySlowDownPercentage: number; + HydrationSlowDownPercentage: number; +} +export interface IWound { + WorkingTime: number; + ThresholdMin: number; + ThresholdMax: number; +} +export interface IBerserk { + DefaultDelay: number; + WorkingTime: number; + DefaultResidueTime: number; +} +export interface IFlash { + Dummy: number; +} +export interface IMedEffect { + LoopTime: number; + StartDelay: number; + DrinkStartDelay: number; + FoodStartDelay: number; + DrugsStartDelay: number; + MedKitStartDelay: number; + MedicalStartDelay: number; + StimulatorStartDelay: number; +} +export interface IPain { + TremorDelay: number; + HealExperience: number; +} +export interface IPainKiller { + Dummy: number; +} +export interface ISandingScreen { + Dummy: number; +} +export interface IMusclePainEffect { + GymEffectivity: number; + OfflineDurationMax: number; + OfflineDurationMin: number; + TraumaChance: number; +} +export interface IStimulator { + BuffLoopTime: number; + Buffs: IBuffs; +} +export interface IBuffs { + BuffsSJ1TGLabs: IBuff[]; + BuffsSJ6TGLabs: IBuff[]; + BuffsPropital: IBuff[]; + BuffsZagustin: IBuff[]; + BuffseTGchange: IBuff[]; + BuffsAdrenaline: IBuff[]; + BuffsGoldenStarBalm: IBuff[]; + Buffs_drink_aquamari: IBuff[]; + Buffs_drink_maxenergy: IBuff[]; + Buffs_drink_milk: IBuff[]; + Buffs_drink_tarcola: IBuff[]; + Buffs_drink_hotrod: IBuff[]; + Buffs_drink_juice_army: IBuff[]; + Buffs_drink_water: IBuff[]; + Buffs_food_borodinskiye: IBuff[]; + Buffs_food_condensed_milk: IBuff[]; + Buffs_food_emelya: IBuff[]; + Buffs_food_mayonez: IBuff[]; + Buffs_food_mre: IBuff[]; + Buffs_food_sugar: IBuff[]; + Buffs_drink_vodka: IBuff[]; + Buffs_drink_jack: IBuff[]; + Buffs_drink_moonshine: IBuff[]; + Buffs_drink_purewater: IBuff[]; + Buffs_3bTG: IBuff[]; + Buffs_AHF1M: IBuff[]; + Buffs_L1: IBuff[]; + Buffs_MULE: IBuff[]; + Buffs_Meldonin: IBuff[]; + Buffs_Obdolbos: IBuff[]; + Buffs_P22: IBuff[]; + Buffs_KultistsToxin: IBuff[]; + Buffs_BodyTemperature: IBuff[]; + Buffs_Antidote: IBuff[]; + Buffs_melee_bleed: IBuff[]; + Buffs_melee_blunt: IBuff[]; + Buffs_hultafors: IBuff[]; + Buffs_drink_vodka_BAD: IBuff[]; + Buffs_food_alyonka: IBuff[]; + Buffs_food_slippers: IBuff[]; + Buffs_knife: IBuff[]; +} +export interface IBuff { + BuffType: string; + Chance: number; + Delay: number; + Duration: number; + Value: number; + AbsoluteValue: boolean; + SkillName: string; +} +export interface ITremor { + DefaultDelay: number; + DefaultResidueTime: number; +} +export interface IChronicStaminaFatigue { + EnergyRate: number; + WorkingTime: number; + TicksEvery: number; + EnergyRatePerStack: number; +} +export interface IFracture { + DefaultDelay: number; + DefaultResidueTime: number; + HealExperience: number; + OfflineDurationMin: number; + OfflineDurationMax: number; + RemovePrice: number; + RemovedAfterDeath: boolean; + BulletHitProbability: IProbability; + FallingProbability: IProbability; +} +export interface IHeavyBleeding { + DefaultDelay: number; + DefaultResidueTime: number; + DamageEnergy: number; + DamageHealth: number; + EnergyLoopTime: number; + HealthLoopTime: number; + DamageHealthDehydrated: number; + HealthLoopTimeDehydrated: number; + LifeTimeDehydrated: number; + EliteVitalityDuration: number; + HealExperience: number; + OfflineDurationMin: number; + OfflineDurationMax: number; + RemovePrice: number; + RemovedAfterDeath: boolean; + Probability: IProbability; +} +export interface IProbability { + FunctionType: string; + K: number; + B: number; + Threshold: number; +} +export interface ILightBleeding { + DefaultDelay: number; + DefaultResidueTime: number; + DamageEnergy: number; + DamageHealth: number; + EnergyLoopTime: number; + HealthLoopTime: number; + DamageHealthDehydrated: number; + HealthLoopTimeDehydrated: number; + LifeTimeDehydrated: number; + EliteVitalityDuration: number; + HealExperience: number; + OfflineDurationMin: number; + OfflineDurationMax: number; + RemovePrice: number; + RemovedAfterDeath: boolean; + Probability: IProbability; +} +export interface IBodyTemperature { + DefaultBuildUpTime: number; + DefaultResidueTime: number; + LoopTime: number; +} +export interface IHealPrice { + HealthPointPrice: number; + HydrationPointPrice: number; + EnergyPointPrice: number; + TrialLevels: number; + TrialRaids: number; +} +export interface IProfileHealthSettings { + BodyPartsSettings: IBodyPartsSettings; + HealthFactorsSettings: IHealthFactorsSettings; + DefaultStimulatorBuff: string; +} +export interface IBodyPartsSettings { + Head: IBodyPartsSetting; + Chest: IBodyPartsSetting; + Stomach: IBodyPartsSetting; + LeftArm: IBodyPartsSetting; + RightArm: IBodyPartsSetting; + LeftLeg: IBodyPartsSetting; + RightLeg: IBodyPartsSetting; +} +export interface IBodyPartsSetting { + Minimum: number; + Maximum: number; + Default: number; + OverDamageReceivedMultiplier: number; +} +export interface IHealthFactorsSettings { + Energy: IHealthFactorSetting; + Hydration: IHealthFactorSetting; + Temperature: IHealthFactorSetting; + Poisoning: IHealthFactorSetting; + Radiation: IHealthFactorSetting; +} +export interface IHealthFactorSetting { + Minimum: number; + Maximum: number; + Default: number; +} +export interface IRating { + levelRequired: number; + limit: number; + categories: ICategories; +} +export interface ICategories { + experience: boolean; + kd: boolean; + surviveRatio: boolean; + avgEarnings: boolean; + pmcKills: boolean; + raidCount: boolean; + longestShot: boolean; + timeOnline: boolean; + inventoryFullCost: boolean; + ragFairStanding: boolean; +} +export interface ITournament { + categories: ITournamentCategories; + limit: number; + levelRequired: number; +} +export interface ITournamentCategories { + dogtags: boolean; +} +export interface IRagFair { + enabled: boolean; + priceStabilizerEnabled: boolean; + includePveTraderSales: boolean; + priceStabilizerStartIntervalInHours: number; + minUserLevel: number; + communityTax: number; + communityItemTax: number; + communityRequirementTax: number; + offerPriorityCost: number; + offerDurationTimeInHour: number; + offerDurationTimeInHourAfterRemove: number; + priorityTimeModifier: number; + maxRenewOfferTimeInHour: number; + renewPricePerHour: number; + maxActiveOfferCount: IMaxActiveOfferCount[]; + balancerRemovePriceCoefficient: number; + balancerMinPriceCount: number; + balancerAveragePriceCoefficient: number; + delaySinceOfferAdd: number; + uniqueBuyerTimeoutInDays: number; + ratingSumForIncrease: number; + ratingIncreaseCount: number; + ratingSumForDecrease: number; + ratingDecreaseCount: number; + maxSumForIncreaseRatingPerOneSale: number; + maxSumForDecreaseRatingPerOneSale: number; + maxSumForRarity: IMaxSumForRarity; + ChangePriceCoef: number; + balancerUserItemSaleCooldownEnabled: boolean; + balancerUserItemSaleCooldown: number; + youSellOfferMaxStorageTimeInHour: number; + yourOfferDidNotSellMaxStorageTimeInHour: number; + isOnlyFoundInRaidAllowed: boolean; + sellInOnePiece: number; +} +export interface IMaxActiveOfferCount { + from: number; + to: number; + count: number; +} +export interface IMaxSumForRarity { + Common: IRarityMaxSum; + Rare: IRarityMaxSum; + Superrare: IRarityMaxSum; + Not_exist: IRarityMaxSum; +} +export interface IRarityMaxSum { + value: number; +} +export interface IHandbook { + defaultCategory: string; +} +export interface IStamina { + Capacity: number; + SprintDrainRate: number; + BaseRestorationRate: number; + JumpConsumption: number; + GrenadeHighThrow: number; + GrenadeLowThrow: number; + AimDrainRate: number; + AimRangeFinderDrainRate: number; + OxygenCapacity: number; + OxygenRestoration: number; + WalkOverweightLimits: Ixyz; + BaseOverweightLimits: Ixyz; + SprintOverweightLimits: Ixyz; + WalkSpeedOverweightLimits: Ixyz; + CrouchConsumption: Ixyz; + WalkConsumption: Ixyz; + StandupConsumption: Ixyz; + TransitionSpeed: Ixyz; + SprintAccelerationLowerLimit: number; + SprintSpeedLowerLimit: number; + SprintSensitivityLowerLimit: number; + AimConsumptionByPose: Ixyz; + RestorationMultiplierByPose: Ixyz; + OverweightConsumptionByPose: Ixyz; + AimingSpeedMultiplier: number; + WalkVisualEffectMultiplier: number; + WeaponFastSwitchConsumption: number; + HandsCapacity: number; + HandsRestoration: number; + ProneConsumption: number; + BaseHoldBreathConsumption: number; + SoundRadius: Ixyz; + ExhaustedMeleeSpeed: number; + FatigueRestorationRate: number; + FatigueAmountToCreateEffect: number; + ExhaustedMeleeDamageMultiplier: number; + FallDamageMultiplier: number; + SafeHeightOverweight: number; + SitToStandConsumption: number; + StaminaExhaustionCausesJiggle: boolean; + StaminaExhaustionStartsBreathSound: boolean; + StaminaExhaustionRocksCamera: boolean; + HoldBreathStaminaMultiplier: Ixyz; + PoseLevelIncreaseSpeed: Ixyz; + PoseLevelDecreaseSpeed: Ixyz; + PoseLevelConsumptionPerNotch: Ixyz; +} +export interface IStaminaRestoration { + LowerLeftPoint: number; + LowerRightPoint: number; + LeftPlatoPoint: number; + RightPlatoPoint: number; + RightLimit: number; + ZeroValue: number; +} +export interface IStaminaDrain { + LowerLeftPoint: number; + LowerRightPoint: number; + LeftPlatoPoint: number; + RightPlatoPoint: number; + RightLimit: number; + ZeroValue: number; +} +export interface IRequirementReferences { + Alpinist: IAlpinist[]; +} +export interface IAlpinist { + Requirement: string; + Id: string; + Count: number; + RequiredSlot: string; + RequirementTip: string; +} +export interface IRestrictionsInRaid { + TemplateId: string; + Value: number; +} +export interface ISquadSettings { + CountOfRequestsToOnePlayer: number; + SecondsForExpiredRequest: number; + SendRequestDelaySeconds: number; +} +export interface IInsurance { + MaxStorageTimeInHour: number; +} +export interface ISkillsSettings { + SkillProgressRate: number; + WeaponSkillProgressRate: number; + WeaponSkillRecoilBonusPerLevel: number; + HideoutManagement: IHideoutManagement; + Crafting: ICrafting; + Metabolism: IMetabolism; + Immunity: Immunity; + Endurance: IEndurance; + Strength: IStrength; + Vitality: IVitality; + Health: IHealthSkillProgress; + StressResistance: IStressResistance; + Throwing: IThrowing; + RecoilControl: IRecoilControl; + Pistol: IWeaponSkills; + Revolver: IWeaponSkills; + SMG: any[]; + Assault: IWeaponSkills; + Shotgun: IWeaponSkills; + Sniper: IWeaponSkills; + LMG: any[]; + HMG: any[]; + Launcher: any[]; + AttachedLauncher: any[]; + Melee: IMeleeSkill; + DMR: IWeaponSkills; + BearAssaultoperations: any[]; + BearAuthority: any[]; + BearAksystems: any[]; + BearHeavycaliber: any[]; + BearRawpower: any[]; + UsecArsystems: any[]; + UsecDeepweaponmodding_Settings: any[]; + UsecLongrangeoptics_Settings: any[]; + UsecNegotiations: any[]; + UsecTactics: any[]; + BotReload: any[]; + CovertMovement: ICovertMovement; + FieldMedicine: any[]; + Search: ISearch; + Sniping: any[]; + ProneMovement: any[]; + FirstAid: any[]; + LightVests: IArmorSkills; + HeavyVests: IArmorSkills; + WeaponModding: any[]; + AdvancedModding: any[]; + NightOps: any[]; + SilentOps: any[]; + Lockpicking: any[]; + WeaponTreatment: IWeaponTreatment; + MagDrills: IMagDrills; + Freetrading: any[]; + Auctions: any[]; + Cleanoperations: any[]; + Barter: any[]; + Shadowconnections: any[]; + Taskperformance: any[]; + Perception: IPerception; + Intellect: Intellect; + Attention: IAttention; + Charisma: ICharisma; + Memory: IMemory; + Surgery: ISurgery; + AimDrills: IAimDrills; + BotSound: any[]; + TroubleShooting: ITroubleShooting; +} +export interface IMeleeSkill { + BuffSettings: IBuffSettings; +} +export interface IArmorSkills { + BuffMaxCount: number; + BuffSettings: IBuffSettings; + Counters: IArmorCounters; + MoveSpeedPenaltyReductionHVestsReducePerLevel: number; + RicochetChanceHVestsCurrentDurabilityThreshold: number; + RicochetChanceHVestsEliteLevel: number; + RicochetChanceHVestsMaxDurabilityThreshold: number; + MeleeDamageLVestsReducePerLevel: number; + MoveSpeedPenaltyReductionLVestsReducePerLevel: number; + WearAmountRepairLVestsReducePerLevel: number; + WearChanceRepairLVestsReduceEliteLevel: number; +} +export interface IArmorCounters { + armorDurability: ISkillCounter; +} +export interface IHideoutManagement { + SkillPointsPerAreaUpgrade: number; + SkillPointsPerCraft: number; + ConsumptionReductionPerLevel: number; + SkillBoostPercent: number; + SkillPointsRate: ISkillPointsRate; + EliteSlots: IEliteSlots; +} +export interface ISkillPointsRate { + Generator: ISkillPointRate; + AirFilteringUnit: ISkillPointRate; + WaterCollector: ISkillPointRate; + SolarPower: ISkillPointRate; +} +export interface ISkillPointRate { + ResourceSpent: number; + PointsGained: number; +} +export interface IEliteSlots { + Generator: IEliteSlot; + AirFilteringUnit: IEliteSlot; + WaterCollector: IEliteSlot; + BitcoinFarm: IEliteSlot; +} +export interface IEliteSlot { + Slots: number; + Container: number; +} +export interface ICrafting { + PointsPerCraftingCycle: number; + CraftingCycleHours: number; + PointsPerUniqueCraftCycle: number; + UniqueCraftsPerCycle: number; + CraftTimeReductionPerLevel: number; + ProductionTimeReductionPerLevel: number; + EliteExtraProductions: number; + CraftingPointsToInteligence: number; +} +export interface IMetabolism { + HydrationRecoveryRate: number; + EnergyRecoveryRate: number; + IncreasePositiveEffectDurationRate: number; + DecreaseNegativeEffectDurationRate: number; + DecreasePoisonDurationRate: number; +} +export interface Immunity { + ImmunityMiscEffects: number; + ImmunityPoisonBuff: number; + ImmunityPainKiller: number; + HealthNegativeEffect: number; + StimulatorNegativeBuff: number; +} +export interface IEndurance { + MovementAction: number; + SprintAction: number; + GainPerFatigueStack: number; + DependentSkillRatios: IDependentSkillRatio[]; + QTELevelMultipliers: Record>; +} +export interface IStrength { + DependentSkillRatios: IDependentSkillRatio[]; + SprintActionMin: number; + SprintActionMax: number; + MovementActionMin: number; + MovementActionMax: number; + PushUpMin: number; + PushUpMax: number; + QTELevelMultipliers: IQTELevelMultiplier[]; + FistfightAction: number; + ThrowAction: number; +} +export interface IDependentSkillRatio { + Ratio: number; + SkillId: string; +} +export interface IQTELevelMultiplier { + Level: number; + Multiplier: number; +} +export interface IVitality { + DamageTakenAction: number; + HealthNegativeEffect: number; +} +export interface IHealthSkillProgress { + SkillProgress: number; +} +export interface IStressResistance { + HealthNegativeEffect: number; + LowHPDuration: number; +} +export interface IThrowing { + ThrowAction: number; +} +export interface IRecoilControl { + RecoilAction: number; + RecoilBonusPerLevel: number; +} +export interface IWeaponSkills { + WeaponReloadAction: number; + WeaponShotAction: number; + WeaponFixAction: number; + WeaponChamberAction: number; +} +export interface ICovertMovement { + MovementAction: number; +} +export interface ISearch { + SearchAction: number; + FindAction: number; +} +export interface IWeaponTreatment { + BuffMaxCount: number; + BuffSettings: IBuffSettings; + Counters: IWeaponTreatmentCounters; + DurLossReducePerLevel: number; + SkillPointsPerRepair: number; + Filter: any[]; + WearAmountRepairGunsReducePerLevel: number; + WearChanceRepairGunsReduceEliteLevel: number; +} +export interface IWeaponTreatmentCounters { + firearmsDurability: ISkillCounter; +} +export interface IBuffSettings { + CommonBuffChanceLevelBonus: number; + CommonBuffMinChanceValue: number; + CurrentDurabilityLossToRemoveBuff?: number; + MaxDurabilityLossToRemoveBuff?: number; + RareBuffChanceCoff: number; + ReceivedDurabilityMaxPercent: number; +} +export interface IMagDrills { + RaidLoadedAmmoAction: number; + RaidUnloadedAmmoAction: number; + MagazineCheckAction: number; +} +export interface IPerception { + DependentSkillRatios: ISkillRatio[]; + OnlineAction: number; + UniqueLoot: number; +} +export interface ISkillRatio { + Ratio: number; + SkillId: string; +} +export interface Intellect { + Counters: IIntellectCounters; + ExamineAction: number; + SkillProgress: number; + RepairAction: number; + WearAmountReducePerLevel: number; + WearChanceReduceEliteLevel: number; + RepairPointsCostReduction: number; +} +export interface IIntellectCounters { + armorDurability: ISkillCounter; + firearmsDurability: ISkillCounter; + meleeWeaponDurability: ISkillCounter; +} +export interface ISkillCounter { + divisor: number; + points: number; +} +export interface IAttention { + DependentSkillRatios: ISkillRatio[]; + ExamineWithInstruction: number; + FindActionFalse: number; + FindActionTrue: number; +} +export interface ICharisma { + BonusSettings: IBonusSettings; + Counters: ICharismaSkillCounters; + SkillProgressInt: number; + SkillProgressAtn: number; + SkillProgressPer: number; +} +export interface ICharismaSkillCounters { + insuranceCost: ISkillCounter; + repairCost: ISkillCounter; + repeatableQuestCompleteCount: ISkillCounter; + restoredHealthCost: ISkillCounter; + scavCaseCost: ISkillCounter; +} +export interface IBonusSettings { + EliteBonusSettings: IEliteBonusSettings; + LevelBonusSettings: ILevelBonusSettings; +} +export interface IEliteBonusSettings { + FenceStandingLossDiscount: number; + RepeatableQuestExtraCount: number; + ScavCaseDiscount: number; +} +export interface ILevelBonusSettings { + HealthRestoreDiscount: number; + HealthRestoreTraderDiscount: number; + InsuranceDiscount: number; + InsuranceTraderDiscount: number; + PaidExitDiscount: number; + RepeatableQuestChangeDiscount: number; +} +export interface IMemory { + AnySkillUp: number; + SkillProgress: number; +} +export interface ISurgery { + SurgeryAction: number; + SkillProgress: number; +} +export interface IAimDrills { + WeaponShotAction: number; +} +export interface ITroubleShooting { + MalfRepairSpeedBonusPerLevel: number; + SkillPointsPerMalfFix: number; + EliteDurabilityChanceReduceMult: number; + EliteAmmoChanceReduceMult: number; + EliteMagChanceReduceMult: number; +} +export interface IAiming { + ProceduralIntensityByPose: Ixyz; + AimProceduralIntensity: number; + HeavyWeight: number; + LightWeight: number; + MaxTimeHeavy: number; + MinTimeHeavy: number; + MaxTimeLight: number; + MinTimeLight: number; + RecoilScaling: number; + RecoilDamping: number; + CameraSnapGlobalMult: number; + RecoilXIntensityByPose: Ixyz; + RecoilYIntensityByPose: Ixyz; + RecoilZIntensityByPose: Ixyz; + RecoilCrank: boolean; + RecoilHandDamping: number; + RecoilConvergenceMult: number; + RecoilVertBonus: number; + RecoilBackBonus: number; +} +export interface IMalfunction { + AmmoMalfChanceMult: number; + MagazineMalfChanceMult: number; + MalfRepairHardSlideMult: number; + MalfRepairOneHandBrokenMult: number; + MalfRepairTwoHandsBrokenMult: number; + AllowMalfForBots: boolean; + ShowGlowAttemptsCount: number; + OutToIdleSpeedMultForPistol: number; + IdleToOutSpeedMultOnMalf: number; + TimeToQuickdrawPistol: number; + DurRangeToIgnoreMalfs: Ixyz; + DurFeedWt: number; + DurMisfireWt: number; + DurJamWt: number; + DurSoftSlideWt: number; + DurHardSlideMinWt: number; + DurHardSlideMaxWt: number; + AmmoMisfireWt: number; + AmmoFeedWt: number; + AmmoJamWt: number; + OverheatFeedWt: number; + OverheatJamWt: number; + OverheatSoftSlideWt: number; + OverheatHardSlideMinWt: number; + OverheatHardSlideMaxWt: number; +} +export interface IOverheat { + MinOverheat: number; + MaxOverheat: number; + OverheatProblemsStart: number; + ModHeatFactor: number; + ModCoolFactor: number; + MinWearOnOverheat: number; + MaxWearOnOverheat: number; + MinWearOnMaxOverheat: number; + MaxWearOnMaxOverheat: number; + OverheatWearLimit: number; + MaxCOIIncreaseMult: number; + MinMalfChance: number; + MaxMalfChance: number; + DurReduceMinMult: number; + DurReduceMaxMult: number; + BarrelMoveRndDuration: number; + BarrelMoveMaxMult: number; + FireratePitchMult: number; + FirerateReduceMinMult: number; + FirerateReduceMaxMult: number; + FirerateOverheatBorder: number; + EnableSlideOnMaxOverheat: boolean; + StartSlideOverheat: number; + FixSlideOverheat: number; + AutoshotMinOverheat: number; + AutoshotChance: number; + AutoshotPossibilityDuration: number; + MaxOverheatCoolCoef: number; +} +export interface IFenceSettings { + FenceId: string; + Levels: Record; + paidExitStandingNumerator: number; +} +export interface IFenceLevel { + SavageCooldownModifier: number; + ScavCaseTimeModifier: number; + PaidExitCostModifier: number; + BotFollowChance: number; + ScavEquipmentSpawnChanceModifier: number; + PriceModifier: number; + HostileBosses: boolean; + HostileScavs: boolean; + ScavAttackSupport: boolean; + ExfiltrationPriceModifier: number; + AvailableExits: number; + BotApplySilenceChance: number; + BotGetInCoverChance: number; + BotHelpChance: number; + BotSpreadoutChance: number; + BotStopChance: number; +} +export interface IInertia { + InertiaLimits: Ixyz; + InertiaLimitsStep: number; + ExitMovementStateSpeedThreshold: Ixyz; + WalkInertia: Ixyz; + FallThreshold: number; + SpeedLimitAfterFallMin: Ixyz; + SpeedLimitAfterFallMax: Ixyz; + SpeedLimitDurationMin: Ixyz; + SpeedLimitDurationMax: Ixyz; + SpeedInertiaAfterJump: Ixyz; + BaseJumpPenaltyDuration: number; + DurationPower: number; + BaseJumpPenalty: number; + PenaltyPower: number; + InertiaTiltCurveMin: Ixyz; + InertiaTiltCurveMax: Ixyz; + InertiaBackwardCoef: Ixyz; + TiltInertiaMaxSpeed: Ixyz; + TiltStartSideBackSpeed: Ixyz; + TiltMaxSideBackSpeed: Ixyz; + TiltAcceleration: Ixyz; + AverageRotationFrameSpan: number; + SprintSpeedInertiaCurveMin: Ixyz; + SprintSpeedInertiaCurveMax: Ixyz; + SprintBrakeInertia: Ixyz; + SprintTransitionMotionPreservation: Ixyz; + WeaponFlipSpeed: Ixyz; + PreSprintAccelerationLimits: Ixyz; + SprintAccelerationLimits: Ixyz; + SideTime: Ixyz; + DiagonalTime: Ixyz; + MaxTimeWithoutInput: Ixyz; + MinDirectionBlendTime: number; + MoveTimeRange: Ixyz; + ProneDirectionAccelerationRange: Ixyz; + ProneSpeedAccelerationRange: Ixyz; + MinMovementAccelerationRangeRight: Ixyz; + MaxMovementAccelerationRangeRight: Ixyz; +} +export interface IBallistic { + GlobalDamageDegradationCoefficient: number; +} +export interface IRepairSettings { + ItemEnhancementSettings: IItemEnhancementSettings; + MinimumLevelToApplyBuff: number; + RepairStrategies: IRepairStrategies; + armorClassDivisor: number; + durabilityPointCostArmor: number; + durabilityPointCostGuns: number; +} +export interface IItemEnhancementSettings { + DamageReduction: IPriceModifier; + MalfunctionProtections: IPriceModifier; + WeaponSpread: IPriceModifier; +} +export interface IPriceModifier { + PriceModifier: number; +} +export interface IRepairStrategies { + Armor: IRepairStrategy; + Firearms: IRepairStrategy; +} +export interface IRepairStrategy { + BuffTypes: string[]; + Filter: string[]; +} +export interface IBotPreset { + UseThis: boolean; + Role: string; + BotDifficulty: string; + VisibleAngle: number; + VisibleDistance: number; + ScatteringPerMeter: number; + HearingSense: number; + SCATTERING_DIST_MODIF: number; + MAX_AIMING_UPGRADE_BY_TIME: number; + FIRST_CONTACT_ADD_SEC: number; + COEF_IF_MOVE: number; +} +export interface IAudioSettings { + AudioGroupPresets: IAudioGroupPreset[]; +} +export interface IAudioGroupPreset { + AngleToAllowBinaural: number; + DisabledBinauralByDistance: boolean; + DistanceToAllowBinaural: number; + GroupType: number; + HeightToAllowBinaural: number; + Name: string; + OcclusionEnabled: boolean; + OcclusionIntensity: number; + OverallVolume: number; +} +export interface IBotWeaponScattering { + Name: string; + PriorityScatter1meter: number; + PriorityScatter10meter: number; + PriorityScatter100meter: number; +} +export interface IPreset { + _id: string; + _type: string; + _changeWeaponName: boolean; + _name: string; + _parent: string; + _items: Item[]; + /** Default presets have this property */ + _encyclopedia?: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/ILocation.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/ILocation.d.ts new file mode 100644 index 0000000..bba2db0 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/ILocation.d.ts @@ -0,0 +1,20 @@ +import { ILocationBase } from "@spt-aki/models/eft/common/ILocationBase"; +import { ILooseLoot } from "@spt-aki/models/eft/common/ILooseLoot"; +export interface ILocation { + base: ILocationBase; + looseLoot: ILooseLoot; + statics: IStaticContainer; +} +export interface IStaticContainer { + containersGroups: Record; + containers: Record; +} +export interface IContainerMinMax { + minContainers: number; + maxContainers: number; + current?: number; + chosenCount?: number; +} +export interface IContainerData { + groupId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/ILocationBase.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/ILocationBase.d.ts new file mode 100644 index 0000000..1121e9f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/ILocationBase.d.ts @@ -0,0 +1,226 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { Ixyz } from "@spt-aki/models/eft/common/Ixyz"; +export interface ILocationBase { + AccessKeys: string[]; + AirdropParameters: AirdropParameter[]; + Area: number; + AveragePlayTime: number; + AveragePlayerLevel: number; + Banners: Banner[]; + BossLocationSpawn: BossLocationSpawn[]; + BotAssault: number; + BotEasy: number; + BotHard: number; + BotImpossible: number; + BotLocationModifier: BotLocationModifier; + BotMarksman: number; + BotMax: number; + BotMaxPlayer: number; + BotMaxTimePlayer: number; + BotNormal: number; + BotSpawnCountStep: number; + BotSpawnPeriodCheck: number; + BotSpawnTimeOffMax: number; + BotSpawnTimeOffMin: number; + BotSpawnTimeOnMax: number; + BotSpawnTimeOnMin: number; + BotStart: number; + BotStop: number; + Description: string; + DisabledForScav: boolean; + DisabledScavExits: string; + Enabled: boolean; + EnableCoop: boolean; + GlobalLootChanceModifier: number; + GlobalContainerChanceModifier: number; + IconX: number; + IconY: number; + Id: string; + Insurance: boolean; + IsSecret: boolean; + Locked: boolean; + Loot: any[]; + MatchMakerMinPlayersByWaitTime: MinPlayerWaitTime[]; + MaxBotPerZone: number; + MaxDistToFreePoint: number; + MaxPlayers: number; + MinDistToExitPoint: number; + MinDistToFreePoint: number; + MinMaxBots: MinMaxBot[]; + MinPlayers: number; + MaxCoopGroup: number; + Name: string; + NonWaveGroupScenario: INonWaveGroupScenario; + NewSpawn: boolean; + OcculsionCullingEnabled: boolean; + OldSpawn: boolean; + OpenZones: string; + Preview: Preview; + PlayersRequestCount: number; + RequiredPlayerLevel?: number; + RequiredPlayerLevelMin?: number; + RequiredPlayerLevelMax?: number; + MinPlayerLvlAccessKeys: number; + PmcMaxPlayersInGroup: number; + ScavMaxPlayersInGroup: number; + Rules: string; + SafeLocation: boolean; + Scene: Scene; + SpawnPointParams: SpawnPointParam[]; + UnixDateTime: number; + _Id: string; + doors: any[]; + EscapeTimeLimit: number; + EscapeTimeLimitCoop: number; + exit_access_time: number; + exit_count: number; + exit_time: number; + exits: Exit[]; + filter_ex: string[]; + limits: ILimit[]; + matching_min_seconds: number; + GenerateLocalLootCache: boolean; + maxItemCountInLocation: MaxItemCountInLocation[]; + sav_summon_seconds: number; + tmp_location_field_remove_me: number; + users_gather_seconds: number; + users_spawn_seconds_n: number; + users_spawn_seconds_n2: number; + users_summon_seconds: number; + waves: Wave[]; +} +export interface INonWaveGroupScenario { + Chance: number; + Enabled: boolean; + MaxToBeGroup: number; + MinToBeGroup: number; +} +export interface ILimit extends MinMax { + items: any[]; +} +export interface AirdropParameter { + AirdropPointDeactivateDistance: number; + MinPlayersCountToSpawnAirdrop: number; + PlaneAirdropChance: number; + PlaneAirdropCooldownMax: number; + PlaneAirdropCooldownMin: number; + PlaneAirdropEnd: number; + PlaneAirdropMax: number; + PlaneAirdropStartMax: number; + PlaneAirdropStartMin: number; + UnsuccessfulTryPenalty: number; +} +export interface Banner { + id: string; + pic: Pic; +} +export interface Pic { + path: string; + rcid: string; +} +export interface BossLocationSpawn { + BossChance: number; + BossDifficult: string; + BossEscortAmount: string; + BossEscortDifficult: string; + BossEscortType: string; + BossName: string; + BossPlayer: boolean; + BossZone: string; + RandomTimeSpawn: boolean; + Time: number; + TriggerId: string; + TriggerName: string; + Delay?: number; + Supports?: BossSupport[]; + sptId?: string; +} +export interface BossSupport { + BossEscortAmount: string; + BossEscortDifficult: string[]; + BossEscortType: string; +} +export interface BotLocationModifier { + AccuracySpeed: number; + DistToActivate: number; + DistToPersueAxemanCoef: number; + DistToSleep: number; + GainSight: number; + KhorovodChance: number; + MagnetPower: number; + MarksmanAccuratyCoef: number; + Scattering: number; + VisibleDistance: number; +} +export interface MinMaxBot extends MinMax { + WildSpawnType: WildSpawnType | string; +} +export interface MinPlayerWaitTime { + minPlayers: number; + time: number; +} +export interface Preview { + path: string; + rcid: string; +} +export interface Scene { + path: string; + rcid: string; +} +export interface SpawnPointParam { + BotZoneName: string; + Categories: string[]; + ColliderParams: ColliderParams; + DelayToCanSpawnSec: number; + Id: string; + Infiltration: string; + Position: Ixyz; + Rotation: number; + Sides: string[]; +} +export interface ColliderParams { + _parent: string; + _props: Props; +} +export interface Props { + Center: Ixyz; + Radius: number; +} +export interface Exit { + Chance: number; + Count: number; + EntryPoints: string; + ExfiltrationTime: number; + ExfiltrationType: string; + RequiredSlot?: string; + Id: string; + MaxTime: number; + MinTime: number; + Name: string; + PassageRequirement: string; + PlayersCount: number; + RequirementTip: string; +} +export interface MaxItemCountInLocation { + TemplateId: string; + Value: number; +} +export interface Wave { + BotPreset: string; + BotSide: string; + SpawnPoints: string; + WildSpawnType: WildSpawnType; + isPlayers: boolean; + number: number; + slots_max: number; + slots_min: number; + time_max: number; + time_min: number; + sptId?: string; + ChanceGroup?: number; +} +export declare enum WildSpawnType { + ASSAULT = "assault", + MARKSMAN = "marksman", + PMCBOT = "pmcbot" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/ILocationsSourceDestinationBase.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/ILocationsSourceDestinationBase.d.ts new file mode 100644 index 0000000..1e8d80c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/ILocationsSourceDestinationBase.d.ts @@ -0,0 +1,9 @@ +import { ILocations } from "@spt-aki/models/spt/server/ILocations"; +export interface ILocationsGenerateAllResponse { + locations: ILocations; + paths: Path[]; +} +export interface Path { + Source: string; + Destination: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/ILooseLoot.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/ILooseLoot.d.ts new file mode 100644 index 0000000..0dce230 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/ILooseLoot.d.ts @@ -0,0 +1,42 @@ +import { Ixyz } from "@spt-aki/models/eft/common/Ixyz"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +export interface ILooseLoot { + spawnpointCount: SpawnpointCount; + spawnpointsForced: SpawnpointsForced[]; + spawnpoints: Spawnpoint[]; +} +export interface SpawnpointCount { + mean: number; + std: number; +} +export interface SpawnpointsForced { + locationId: string; + probability: number; + template: SpawnpointTemplate; +} +export interface SpawnpointTemplate { + Id: string; + IsContainer: boolean; + useGravity: boolean; + randomRotation: boolean; + Position: Ixyz; + Rotation: Ixyz; + IsAlwaysSpawn: boolean; + IsGroupPosition: boolean; + GroupPositions: any[]; + Root: string; + Items: Item[]; +} +export interface Spawnpoint { + locationId: string; + probability: number; + template: SpawnpointTemplate; + itemDistribution: ItemDistribution[]; +} +export interface ItemDistribution { + composedKey: ComposedKey; + relativeProbability: number; +} +export interface ComposedKey { + key: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/IMetricsTableData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/IMetricsTableData.d.ts new file mode 100644 index 0000000..873ef82 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/IMetricsTableData.d.ts @@ -0,0 +1,7 @@ +export interface IMetricsTableData { + Keys: number[]; + NetProcessingBins: number[]; + RenderBins: number[]; + GameUpdateBins: number[]; + MemoryMeasureInterval: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/IPmcData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/IPmcData.d.ts new file mode 100644 index 0000000..f834822 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/IPmcData.d.ts @@ -0,0 +1,7 @@ +import { IBotBase, IEftStats } from "@spt-aki/models/eft/common/tables/IBotBase"; +export interface IPmcData extends IBotBase { +} +export interface IPostRaidPmcData extends IBotBase { + /** Only found in profile we get from client post raid */ + EftStats: IEftStats; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/Ixyz.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/Ixyz.d.ts new file mode 100644 index 0000000..612dae1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/Ixyz.d.ts @@ -0,0 +1,5 @@ +export interface Ixyz { + x: number; + y: number; + z: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/request/IBaseInteractionRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/request/IBaseInteractionRequestData.d.ts new file mode 100644 index 0000000..7303275 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/request/IBaseInteractionRequestData.d.ts @@ -0,0 +1,9 @@ +export interface IBaseInteractionRequestData { + Action: string; + fromOwner?: OwnerInfo; + toOwner?: OwnerInfo; +} +export interface OwnerInfo { + id: string; + type: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IBotBase.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IBotBase.d.ts new file mode 100644 index 0000000..8ff3ba9 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IBotBase.d.ts @@ -0,0 +1,398 @@ +import { Item, Upd } from "@spt-aki/models/eft/common/tables/IItem"; +import { IPmcDataRepeatableQuest } from "@spt-aki/models/eft/common/tables/IRepeatableQuests"; +import { IRagfairOffer } from "@spt-aki/models/eft/ragfair/IRagfairOffer"; +import { HideoutAreas } from "@spt-aki/models/enums/HideoutAreas"; +import { MemberCategory } from "@spt-aki/models/enums/MemberCategory"; +import { QuestStatus } from "@spt-aki/models/enums/QuestStatus"; +export interface IBotBase { + _id: string; + aid: number; + /** SPT property - use to store player id - TODO - move to AID ( account id as guid of choice) */ + sessionId: string; + savage?: string; + Info: Info; + Customization: Customization; + Health: Health; + Inventory: Inventory; + Skills: Skills; + Stats: Stats; + Encyclopedia: Record; + ConditionCounters: ConditionCounters; + BackendCounters: Record; + InsuredItems: InsuredItem[]; + Hideout: Hideout; + Quests: IQuestStatus[]; + TradersInfo: Record; + UnlockedInfo: IUnlockedInfo; + RagfairInfo: RagfairInfo; + RepeatableQuests: IPmcDataRepeatableQuest[]; + Bonuses: Bonus[]; + Notes: Notes; + CarExtractCounts: Record; + CoopExtractCounts: Record; + SurvivorClass: SurvivorClass; + WishList: string[]; + /** SPT specific property used during bot generation in raid */ + sptIsPmc?: boolean; +} +export interface IUnlockedInfo { + unlockedProductionRecipe: string[]; +} +export interface Info { + EntryPoint: string; + Nickname: string; + LowerNickname: string; + Side: string; + SquadInviteRestriction: boolean; + Voice: string; + Level: number; + Experience: number; + RegistrationDate: number; + GameVersion: string; + AccountType: number; + MemberCategory: MemberCategory; + lockedMoveCommands: boolean; + SavageLockTime: number; + LastTimePlayedAsSavage: number; + Settings: Settings; + NicknameChangeDate: number; + NeedWipeOptions: any[]; + lastCompletedWipe: LastCompleted; + Bans: IBan[]; + BannedState: boolean; + BannedUntil: number; + IsStreamerModeAvailable: boolean; + lastCompletedEvent?: LastCompleted; +} +export interface Settings { + Role: string; + BotDifficulty: string; + Experience: number; + StandingForKill: number; + AggressorBonus: number; +} +export interface IBan { + type: BanType; + dateTime: number; +} +export declare enum BanType { + CHAT = 0, + RAGFAIR = 1, + VOIP = 2, + TRADING = 3, + ONLINE = 4, + FRIENDS = 5, + CHANGE_NICKNAME = 6 +} +export interface Customization { + Head: string; + Body: string; + Feet: string; + Hands: string; +} +export interface Health { + Hydration: CurrentMax; + Energy: CurrentMax; + Temperature: CurrentMax; + BodyParts: BodyPartsHealth; + UpdateTime: number; +} +export interface BodyPartsHealth { + Head: BodyPartHealth; + Chest: BodyPartHealth; + Stomach: BodyPartHealth; + LeftArm: BodyPartHealth; + RightArm: BodyPartHealth; + LeftLeg: BodyPartHealth; + RightLeg: BodyPartHealth; +} +export interface BodyPartHealth { + Health: CurrentMax; + Effects?: Record; +} +export interface BodyPartEffectProperties { + Time: number; +} +export interface CurrentMax { + Current: number; + Maximum: number; +} +export interface Inventory { + items: Item[]; + equipment: string; + stash: string; + sortingTable: string; + questRaidItems: string; + questStashItems: string; + /** Key is hideout area enum numeric as string e.g. "24", value is area _id */ + hideoutAreaStashes: Record; + fastPanel: Record; +} +export interface IBaseJsonSkills { + Common: Record; + Mastering: Record; + Points: number; +} +export interface Skills { + Common: Common[]; + Mastering: Mastering[]; + Points: number; +} +export interface IBaseSkill { + Id: string; + Progress: number; + max?: number; + min?: number; +} +export interface Common extends IBaseSkill { + PointsEarnedDuringSession?: number; + LastAccess?: number; +} +export interface Mastering extends IBaseSkill { +} +export interface Stats { + Eft: IEftStats; +} +export interface IEftStats { + CarriedQuestItems: string[]; + Victims: Victim[]; + TotalSessionExperience: number; + LastSessionDate: number; + SessionCounters: SessionCounters; + OverallCounters: OverallCounters; + SessionExperienceMult?: number; + ExperienceBonusMult?: number; + Aggressor?: Aggressor; + DroppedItems?: IDroppedItem[]; + FoundInRaidItems?: FoundInRaidItem[]; + DamageHistory?: DamageHistory; + DeathCause?: DeathCause; + LastPlayerState?: LastPlayerState; + TotalInGameTime: number; + SurvivorClass?: string; +} +export interface IDroppedItem { + QuestId: string; + ItemId: string; + ZoneId: string; +} +export interface FoundInRaidItem { + QuestId: string; + ItemId: string; +} +export interface Victim { + AccountId: string; + ProfileId: string; + Name: string; + Side: string; + BodyPart: string; + Time: string; + Distance: number; + Level: number; + Weapon: string; + Role: string; +} +export interface SessionCounters { + Items: CounterKeyValue[]; +} +export interface OverallCounters { + Items: CounterKeyValue[]; +} +export interface CounterKeyValue { + Key: string[]; + Value: number; +} +export interface ConditionCounters { + Counters: Counter[]; +} +export interface Counter { + id: string; + value: number; + qid: string; +} +export interface Aggressor { + AccountId: string; + ProfileId: string; + MainProfileNickname: string; + Name: string; + Side: string; + BodyPart: string; + HeadSegment: string; + WeaponName: string; + Category: string; +} +export interface DamageHistory { + LethalDamagePart: string; + LethalDamage: LethalDamage; + BodyParts: BodyPartsDamageHistory; +} +export interface LethalDamage { + Amount: number; + Type: string; + SourceId: string; + OverDamageFrom: string; + Blunt: boolean; + ImpactsCount: number; +} +export interface BodyPartsDamageHistory { + Head: DamageStats[]; + Chest: DamageStats[]; + Stomach: DamageStats[]; + LeftArm: DamageStats[]; + RightArm: DamageStats[]; + LeftLeg: DamageStats[]; + RightLeg: DamageStats[]; + Common: DamageStats[]; +} +export interface DamageStats { + Amount: number; + Type: string; + SourceId: string; + OverDamageFrom: string; + Blunt: boolean; + ImpactsCount: number; +} +export interface DeathCause { + DamageType: string; + Side: string; + Role: string; + WeaponId: string; +} +export interface LastPlayerState { + Info: LastPlayerStateInfo; + Customization: Record; + Equipment: any; +} +export interface LastPlayerStateInfo { + Nickname: string; + Side: string; + Level: number; + MemberCategory: MemberCategory; +} +export interface BackendCounter { + id: string; + qid?: string; + value: number; +} +export interface InsuredItem { + /** Trader Id item was insured by */ + tid: string; + itemId: string; +} +export interface Hideout { + Production: Record; + Areas: HideoutArea[]; + Improvement: Record; + Seed: number; + sptUpdateLastRunTimestamp: number; +} +export interface IHideoutImprovement { + completed: boolean; + improveCompleteTimestamp: number; +} +export interface Productive { + Products: Product[]; + /** Seconds passed of production */ + Progress?: number; + /** Is craft in some state of being worked on by client (crafting/ready to pick up) */ + inProgress?: boolean; + StartTimestamp?: number; + SkipTime?: number; + /** Seconds needed to fully craft */ + ProductionTime?: number; + GivenItemsInStart?: string[]; + Interrupted?: boolean; + /** Used in hideout production.json */ + needFuelForAllProductionTime?: boolean; + /** Used when sending data to client */ + NeedFuelForAllProductionTime?: boolean; + sptIsScavCase?: boolean; + /** Some crafts are always inProgress, but need to be reset, e.g. water collector */ + sptIsComplete?: boolean; + /** Is the craft a Continuous, e.g bitcoins/water collector */ + sptIsContinuous?: boolean; +} +export interface Production extends Productive { + RecipeId: string; + SkipTime: number; + ProductionTime: number; +} +export interface ScavCase extends Productive { + RecipeId: string; +} +export interface Product { + _id: string; + _tpl: string; + upd?: Upd; +} +export interface HideoutArea { + type: HideoutAreas; + level: number; + active: boolean; + passiveBonusesEnabled: boolean; + completeTime: number; + constructing: boolean; + slots: HideoutSlot[]; + lastRecipe: string; +} +export interface HideoutSlot { + /** SPT specific value to keep track of what index this slot is (0,1,2,3 etc) */ + locationIndex: number; + item?: HideoutItem[]; +} +export interface HideoutItem { + _id: string; + _tpl: string; + upd?: Upd; +} +export interface LastCompleted { + $oid: string; +} +export interface Notes { + Notes: Note[]; +} +export declare enum SurvivorClass { + UNKNOWN = 0, + NEUTRALIZER = 1, + MARAUDER = 2, + PARAMEDIC = 3, + SURVIVOR = 4 +} +export interface IQuestStatus { + qid: string; + startTime: number; + status: QuestStatus; + statusTimers?: Record; + /** Property does not exist in live profile data, but is used by ProfileChanges.questsStatus when sent to client*/ + completedConditions?: string[]; + availableAfter?: number; +} +export interface TraderInfo { + loyaltyLevel: number; + salesSum: number; + standing: number; + nextResupply: number; + unlocked: boolean; + disabled: boolean; +} +export interface RagfairInfo { + rating: number; + isRatingGrowing: boolean; + offers: IRagfairOffer[]; +} +export interface Bonus { + id?: string; + type: string; + templateId?: string; + passive?: boolean; + production?: boolean; + visible?: boolean; + value?: number; + icon?: string; + filter?: string[]; + skillType?: string; +} +export interface Note { + Time: number; + Text: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IBotCore.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IBotCore.d.ts new file mode 100644 index 0000000..16a782d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IBotCore.d.ts @@ -0,0 +1,133 @@ +export interface IBotCore { + SAVAGE_KILL_DIST: number; + SOUND_DOOR_BREACH_METERS: number; + SOUND_DOOR_OPEN_METERS: number; + STEP_NOISE_DELTA: number; + JUMP_NOISE_DELTA: number; + GUNSHOT_SPREAD: number; + GUNSHOT_SPREAD_SILENCE: number; + BASE_WALK_SPEREAD2: number; + MOVE_SPEED_COEF_MAX: number; + SPEED_SERV_SOUND_COEF_A: number; + SPEED_SERV_SOUND_COEF_B: number; + G: number; + STAY_COEF: number; + SIT_COEF: number; + LAY_COEF: number; + MAX_ITERATIONS: number; + START_DIST_TO_COV: number; + MAX_DIST_TO_COV: number; + STAY_HEIGHT: number; + CLOSE_POINTS: number; + COUNT_TURNS: number; + SIMPLE_POINT_LIFE_TIME_SEC: number; + DANGER_POINT_LIFE_TIME_SEC: number; + DANGER_POWER: number; + COVER_DIST_CLOSE: number; + GOOD_DIST_TO_POINT: number; + COVER_TOOFAR_FROM_BOSS: number; + COVER_TOOFAR_FROM_BOSS_SQRT: number; + MAX_Y_DIFF_TO_PROTECT: number; + FLARE_POWER: number; + MOVE_COEF: number; + PRONE_POSE: number; + LOWER_POSE: number; + MAX_POSE: number; + FLARE_TIME: number; + MAX_REQUESTS__PER_GROUP: number; + UPDATE_GOAL_TIMER_SEC: number; + DIST_NOT_TO_GROUP: number; + DIST_NOT_TO_GROUP_SQR: number; + LAST_SEEN_POS_LIFETIME: number; + DELTA_GRENADE_START_TIME: number; + DELTA_GRENADE_END_TIME: number; + DELTA_GRENADE_RUN_DIST: number; + DELTA_GRENADE_RUN_DIST_SQRT: number; + PATROL_MIN_LIGHT_DIST: number; + HOLD_MIN_LIGHT_DIST: number; + STANDART_BOT_PAUSE_DOOR: number; + ARMOR_CLASS_COEF: number; + SHOTGUN_POWER: number; + RIFLE_POWER: number; + PISTOL_POWER: number; + SMG_POWER: number; + SNIPE_POWER: number; + GESTUS_PERIOD_SEC: number; + GESTUS_AIMING_DELAY: number; + GESTUS_REQUEST_LIFETIME: number; + GESTUS_FIRST_STAGE_MAX_TIME: number; + GESTUS_SECOND_STAGE_MAX_TIME: number; + GESTUS_MAX_ANSWERS: number; + GESTUS_FUCK_TO_SHOOT: number; + GESTUS_DIST_ANSWERS: number; + GESTUS_DIST_ANSWERS_SQRT: number; + GESTUS_ANYWAY_CHANCE: number; + TALK_DELAY: number; + CAN_SHOOT_TO_HEAD: boolean; + CAN_TILT: boolean; + TILT_CHANCE: number; + MIN_BLOCK_DIST: number; + MIN_BLOCK_TIME: number; + COVER_SECONDS_AFTER_LOSE_VISION: number; + MIN_ARG_COEF: number; + MAX_ARG_COEF: number; + DEAD_AGR_DIST: number; + MAX_DANGER_CARE_DIST_SQRT: number; + MAX_DANGER_CARE_DIST: number; + MIN_MAX_PERSON_SEARCH: number; + PERCENT_PERSON_SEARCH: number; + LOOK_ANYSIDE_BY_WALL_SEC_OF_ENEMY: number; + CLOSE_TO_WALL_ROTATE_BY_WALL_SQRT: number; + SHOOT_TO_CHANGE_RND_PART_MIN: number; + SHOOT_TO_CHANGE_RND_PART_MAX: number; + SHOOT_TO_CHANGE_RND_PART_DELTA: number; + FORMUL_COEF_DELTA_DIST: number; + FORMUL_COEF_DELTA_SHOOT: number; + FORMUL_COEF_DELTA_FRIEND_COVER: number; + SUSPETION_POINT_DIST_CHECK: number; + MAX_BASE_REQUESTS_PER_PLAYER: number; + MAX_HOLD_REQUESTS_PER_PLAYER: number; + MAX_GO_TO_REQUESTS_PER_PLAYER: number; + MAX_COME_WITH_ME_REQUESTS_PER_PLAYER: number; + CORE_POINT_MAX_VALUE: number; + CORE_POINTS_MAX: number; + CORE_POINTS_MIN: number; + BORN_POISTS_FREE_ONLY_FAREST_BOT: boolean; + BORN_POINSTS_FREE_ONLY_FAREST_PLAYER: boolean; + SCAV_GROUPS_TOGETHER: boolean; + LAY_DOWN_ANG_SHOOT: number; + HOLD_REQUEST_TIME_SEC: number; + TRIGGERS_DOWN_TO_RUN_WHEN_MOVE: number; + MIN_DIST_TO_RUN_WHILE_ATTACK_MOVING: number; + MIN_DIST_TO_RUN_WHILE_ATTACK_MOVING_OTHER_ENEMIS: number; + MIN_DIST_TO_STOP_RUN: number; + JUMP_SPREAD_DIST: number; + LOOK_TIMES_TO_KILL: number; + COME_INSIDE_TIMES: number; + TOTAL_TIME_KILL: number; + TOTAL_TIME_KILL_AFTER_WARN: number; + MOVING_AIM_COEF: number; + VERTICAL_DIST_TO_IGNORE_SOUND: number; + DEFENCE_LEVEL_SHIFT: number; + MIN_DIST_CLOSE_DEF: number; + USE_ID_PRIOR_WHO_GO: boolean; + SMOKE_GRENADE_RADIUS_COEF: number; + GRENADE_PRECISION: number; + MAX_WARNS_BEFORE_KILL: number; + CARE_ENEMY_ONLY_TIME: number; + MIDDLE_POINT_COEF: number; + MAIN_TACTIC_ONLY_ATTACK: boolean; + LAST_DAMAGE_ACTIVE: number; + SHALL_DIE_IF_NOT_INITED: boolean; + CHECK_BOT_INIT_TIME_SEC: number; + WEAPON_ROOT_Y_OFFSET: number; + DELTA_SUPRESS_DISTANCE_SQRT: number; + DELTA_SUPRESS_DISTANCE: number; + WAVE_COEF_LOW: number; + WAVE_COEF_MID: number; + WAVE_COEF_HIGH: number; + WAVE_COEF_HORDE: number; + WAVE_ONLY_AS_ONLINE: boolean; + LOCAL_BOTS_COUNT: number; + AXE_MAN_KILLS_END: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IBotType.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IBotType.d.ts new file mode 100644 index 0000000..53a8021 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IBotType.d.ts @@ -0,0 +1,168 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { Skills } from "@spt-aki/models/eft/common/tables/IBotBase"; +export interface IBotType { + appearance: Appearance; + chances: Chances; + difficulty: Difficulties; + experience: Experience; + firstName: string[]; + generation: Generation; + health: Health; + inventory: Inventory; + lastName: string[]; + skills: Skills; +} +export interface Appearance { + body: Record; + feet: Record; + hands: string[]; + head: string[]; + voice: string[]; +} +export interface Chances { + equipment: EquipmentChances; + mods: ModsChances; +} +export interface EquipmentChances { + ArmBand: number; + ArmorVest: number; + Backpack: number; + Earpiece: number; + Eyewear: number; + FaceCover: number; + FirstPrimaryWeapon: number; + Headwear: number; + Holster: number; + Pockets: number; + Scabbard: number; + SecondPrimaryWeapon: number; + SecuredContainer: number; + TacticalVest: number; +} +export interface ModsChances { + mod_charge: number; + mod_equipment: number; + mod_equipment_000: number; + mod_equipment_001: number; + mod_equipment_002: number; + mod_flashlight: number; + mod_foregrip: number; + mod_launcher: number; + mod_magazine: number; + mod_mount: number; + mod_mount_000: number; + mod_mount_001: number; + mod_muzzle: number; + mod_nvg: number; + mod_pistol_grip: number; + mod_reciever: number; + mod_scope: number; + mod_scope_000: number; + mod_scope_001: number; + mod_scope_002: number; + mod_scope_003: number; + mod_sight_front: number; + mod_sight_rear: number; + mod_stock: number; + mod_stock_000: number; + mod_stock_akms: number; + mod_tactical: number; + mod_tactical_000: number; + mod_tactical_001: number; + mod_tactical_002: number; + mod_tactical_003: number; + mod_handguard: number; +} +export interface Difficulties { + easy: Difficulty; + normal: Difficulty; + hard: Difficulty; + impossible: Difficulty; +} +export interface Difficulty { + Aiming: Record; + Boss: Record; + Change: Record; + Core: Record; + Cover: Record; + Grenade: Record; + Hearing: Record; + Lay: Record; + Look: Record; + Mind: Record; + Move: Record; + Patrol: Record; + Scattering: Record; + Shoot: Record; +} +export interface Experience { + aggressorBonus: number; + level: MinMax; + reward: MinMax; + standingForKill: number; +} +export interface Generation { + items: GenerationWeightingItems; +} +export interface GenerationWeightingItems { + grenades: GenerationData; + healing: GenerationData; + drugs: GenerationData; + stims: GenerationData; + backpackLoot: GenerationData; + pocketLoot: GenerationData; + vestLoot: GenerationData; + magazines: GenerationData; + specialItems: GenerationData; +} +export interface GenerationData { + /** key: number of items, value: weighting */ + weights: Record; + /** Array of item tpls */ + whitelist: string[]; +} +export interface Health { + BodyParts: BodyPart[]; + Energy: MinMax; + Hydration: MinMax; + Temperature: MinMax; +} +export interface BodyPart { + Chest: MinMax; + Head: MinMax; + LeftArm: MinMax; + LeftLeg: MinMax; + RightArm: MinMax; + RightLeg: MinMax; + Stomach: MinMax; +} +export interface Inventory { + equipment: Equipment; + Ammo: Record>; + items: Items; + mods: Mods; +} +export interface Equipment { + ArmBand: Record; + ArmorVest: Record; + Backpack: Record; + Earpiece: Record; + Eyewear: Record; + FaceCover: Record; + FirstPrimaryWeapon: Record; + Headwear: Record; + Holster: Record; + Pockets: Record; + Scabbard: Record; + SecondPrimaryWeapon: Record; + SecuredContainer: Record; + TacticalVest: Record; +} +export interface Items { + Backpack: string[]; + Pockets: string[]; + SecuredContainer: string[]; + SpecialLoot: string[]; + TacticalVest: string[]; +} +export type Mods = Record>; diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ICustomizationItem.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ICustomizationItem.d.ts new file mode 100644 index 0000000..2bab177 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ICustomizationItem.d.ts @@ -0,0 +1,29 @@ +import { Ixyz } from "@spt-aki/models/eft/common/Ixyz"; +export interface ICustomizationItem { + _id: string; + _name: string; + _parent: string; + _type: string; + _props: Props; + _proto: string; +} +export interface Props { + Name: string; + ShortName: string; + Description: string; + Side: string[]; + BodyPart: string; + AvailableAsDefault?: boolean; + Body: string; + Hands: string; + Feet: string; + Prefab: Prefab; + WatchPrefab: Prefab; + IntegratedArmorVest: boolean; + WatchPosition: Ixyz; + WatchRotation: Ixyz; +} +export interface Prefab { + path: string; + rcid: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IHandbookBase.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IHandbookBase.d.ts new file mode 100644 index 0000000..7d7db07 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IHandbookBase.d.ts @@ -0,0 +1,16 @@ +export interface IHandbookBase { + Categories: Category[]; + Items: HandbookItem[]; +} +export interface Category { + Id: string; + ParentId?: string; + Icon: string; + Color: string; + Order: string; +} +export interface HandbookItem { + Id: string; + ParentId: string; + Price: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IItem.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IItem.d.ts new file mode 100644 index 0000000..09a239c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IItem.d.ts @@ -0,0 +1,121 @@ +export interface Item { + _id: string; + _tpl: string; + parentId?: string; + slotId?: string; + location?: Location | number; + upd?: Upd; +} +export interface Upd { + Buff?: Buff; + OriginalStackObjectsCount?: number; + Togglable?: Togglable; + Map?: Map; + Tag?: Tag; + /** SPT specific property, not made by BSG */ + sptPresetId?: string; + FaceShield?: FaceShield; + StackObjectsCount?: number; + UnlimitedCount?: boolean; + Repairable?: Repairable; + RecodableComponent?: RecodableComponent; + FireMode?: FireMode; + SpawnedInSession?: boolean; + Light?: Light; + Key?: Key; + Resource?: Resource; + Sight?: Sight; + MedKit?: MedKit; + FoodDrink?: FoodDrink; + Dogtag?: Dogtag; + BuyRestrictionMax?: number; + BuyRestrictionCurrent?: number; + Foldable?: Foldable; + SideEffect?: SideEffect; + RepairKit?: RepairKit; +} +export interface Buff { + rarity: string; + buffType: string; + value: number; + thresholdDurability?: number; +} +export interface Togglable { + On: boolean; +} +export interface Map { + Markers: MapMarker[]; +} +export interface MapMarker { + X: number; + Y: number; +} +export interface Tag { + Color: number; + Name: string; +} +export interface FaceShield { + Hits: number; +} +export interface Repairable { + Durability: number; + MaxDurability: number; +} +export interface RecodableComponent { + IsEncoded: boolean; +} +export interface MedKit { + HpResource: number; +} +export interface Sight { + ScopesCurrentCalibPointIndexes: number[]; + ScopesSelectedModes: number[]; + SelectedScope: number; +} +export interface Foldable { + Folded: boolean; +} +export interface FireMode { + FireMode: string; +} +export interface FoodDrink { + HpPercent: number; +} +export interface Key { + NumberOfUsages: number; +} +export interface Resource { + Value: number; + UnitsConsumed: number; +} +export interface Light { + IsActive: boolean; + SelectedMode: number; +} +export interface Dogtag { + AccountId: string; + ProfileId: string; + Nickname: string; + Side: string; + Level: number; + Time: string; + Status: string; + KillerAccountId: string; + KillerProfileId: string; + KillerName: string; + WeaponName: string; +} +export interface Location { + x: number; + y: number; + r: string | number; + isSearched?: boolean; + /** SPT property? */ + rotation?: string | boolean; +} +export interface SideEffect { + Value: number; +} +export interface RepairKit { + Resource: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ILocationsBase.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ILocationsBase.d.ts new file mode 100644 index 0000000..2c96af3 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ILocationsBase.d.ts @@ -0,0 +1,10 @@ +export interface ILocationsBase { + locations: Locations; + paths: Path[]; +} +export interface Locations { +} +export interface Path { + Source: string; + Destination: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ILootBase.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ILootBase.d.ts new file mode 100644 index 0000000..0bbb91d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ILootBase.d.ts @@ -0,0 +1,59 @@ +import { Ixyz } from "@spt-aki/models/eft/common/Ixyz"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +export interface ILootBase { + staticAmmo: Record; + staticContainers: Record; + staticLoot: Record; +} +export interface IStaticAmmoDetails { + tpl: string; + relativeProbability: number; +} +export interface IStaticContainerDetails { + staticWeapons: IStaticWeaponProps[]; + staticContainers: IStaticContainerData[]; + staticForced: IStaticForcedProps[]; +} +export interface IStaticContainerData { + probability: number; + template: IStaticContainerProps; +} +export interface IStaticPropsBase { + Id: string; + IsContainer: boolean; + useGravity: boolean; + randomRotation: boolean; + Position: Ixyz; + Rotation: Ixyz; + IsGroupPosition: boolean; + IsAlwaysSpawn: boolean; + GroupPositions: any[]; + Root: string; + Items: any[]; +} +export interface IStaticWeaponProps extends IStaticPropsBase { + Items: Item[]; +} +export interface IStaticContainerProps extends IStaticPropsBase { + Items: StaticItem[]; +} +export interface StaticItem { + _id: string; + _tpl: string; +} +export interface IStaticForcedProps { + containerId: string; + itemTpl: string; +} +export interface IStaticLootDetails { + itemcountDistribution: ItemCountDistribution[]; + itemDistribution: ItemDistribution[]; +} +export interface ItemCountDistribution { + count: number; + relativeProbability: number; +} +export interface ItemDistribution { + tpl: string; + relativeProbability: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IMatch.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IMatch.d.ts new file mode 100644 index 0000000..042f5bb --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IMatch.d.ts @@ -0,0 +1,11 @@ +export interface IMatch { + metrics: Metrics; +} +export interface Metrics { + Keys: number[]; + NetProcessingBins: number[]; + RenderBins: number[]; + GameUpdateBins: number[]; + MemoryMeasureInterval: number; + PauseReasons: number[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IProfileTemplate.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IProfileTemplate.d.ts new file mode 100644 index 0000000..35db121 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IProfileTemplate.d.ts @@ -0,0 +1,31 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Dialogue, IUserBuilds } from "@spt-aki/models/eft/profile/IAkiProfile"; +export interface IProfileTemplates { + Standard: IProfileSides; + "Left Behind": IProfileSides; + "Prepare To Escape": IProfileSides; + "Edge Of Darkness": IProfileSides; + "SPT Developer": IProfileSides; + "SPT Easy start": IProfileSides; + "SPT Zero to hero": IProfileSides; +} +export interface IProfileSides { + descriptionLocaleKey: string; + usec: TemplateSide; + bear: TemplateSide; +} +export interface TemplateSide { + character: IPmcData; + suits: string[]; + dialogues: Record; + userbuilds: IUserBuilds; + trader: ProfileTraderTemplate; +} +export interface ProfileTraderTemplate { + initialLoyaltyLevel: number; + setQuestsAvailableForStart?: boolean; + setQuestsAvailableForFinish?: boolean; + initialStanding: number; + initialSalesSum: number; + jaegerUnlocked: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IQuest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IQuest.d.ts new file mode 100644 index 0000000..edd9849 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IQuest.d.ts @@ -0,0 +1,126 @@ +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { QuestRewardType } from "@spt-aki/models/enums/QuestRewardType"; +import { QuestStatus } from "@spt-aki/models/enums/QuestStatus"; +import { QuestTypeEnum } from "@spt-aki/models/enums/QuestTypeEnum"; +export interface IQuest { + /** SPT addition - human readable quest name */ + QuestName?: string; + _id: string; + canShowNotificationsInGame: boolean; + conditions: Conditions; + description: string; + failMessageText: string; + name: string; + note: string; + traderId: string; + location: string; + image: string; + type: QuestTypeEnum; + isKey: boolean; + /** @deprecated - Likely not used, use 'status' instead */ + questStatus: QuestStatus; + restartable: boolean; + instantComplete: boolean; + secretQuest: boolean; + startedMessageText: string; + successMessageText: string; + templateId: string; + rewards: Rewards; + /** Becomes 'AppearStatus' inside client */ + status: string | number; + KeyQuest: boolean; + changeQuestMessageText: string; + /** "Pmc" or "Scav" */ + side: string; + /** Status of quest to player */ + sptStatus?: QuestStatus; +} +export interface Conditions { + Started: AvailableForConditions[]; + AvailableForFinish: AvailableForConditions[]; + AvailableForStart: AvailableForConditions[]; + Success: AvailableForConditions[]; + Fail: AvailableForConditions[]; +} +export interface AvailableForConditions { + _parent: string; + _props: AvailableForProps; + dynamicLocale?: boolean; +} +export interface AvailableForProps { + id: string; + index: number; + parentId: string; + isEncoded: boolean; + dynamicLocale: boolean; + value?: string | number; + compareMethod?: string; + visibilityConditions?: VisibilityCondition[]; + target?: string | string[]; + status?: QuestStatus[]; + availableAfter?: number; + dispersion?: number; + onlyFoundInRaid?: boolean; + oneSessionOnly?: boolean; + doNotResetIfCounterCompleted?: boolean; + dogtagLevel?: number; + maxDurability?: number; + minDurability?: number; + counter?: AvailableForCounter; + plantTime?: number; + zoneId?: string; + type?: boolean; + countInRaid?: boolean; + globalQuestCounterId?: any; +} +export interface AvailableForCounter { + id: string; + conditions: CounterCondition[]; +} +export interface CounterCondition { + _parent: string; + _props: CounterProps; +} +export interface CounterProps { + id: string; + target: string[] | string; + compareMethod?: string; + value?: string; + weapon?: string[]; + equipmentInclusive?: string[][]; + weaponModsInclusive?: string[][]; + status?: string[]; + bodyPart?: string[]; + daytime?: DaytimeCounter; +} +export interface DaytimeCounter { + from: number; + to: number; +} +export interface VisibilityCondition { + id: string; + value: number; + dynamicLocale: boolean; + oneSessionOnly: boolean; +} +export interface Rewards { + AvailableForStart: Reward[]; + AvailableForFinish: Reward[]; + Started: Reward[]; + Success: Reward[]; + Fail: Reward[]; + FailRestartable: Reward[]; + Expired: Reward[]; +} +export interface Reward extends Item { + value?: string | number; + id: string; + type: QuestRewardType; + index: number; + target?: string; + items?: Item[]; + loyaltyLevel?: number; + traderId?: string; + unknown?: boolean; + findInRaid?: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IRepeatableQuests.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IRepeatableQuests.d.ts new file mode 100644 index 0000000..8101c51 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/IRepeatableQuests.d.ts @@ -0,0 +1,252 @@ +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +export interface IReward { + index: number; + type: string; + value: number; + target?: string; + items?: Item[]; +} +export interface IRepeatableQuestDatabase { + templates: ITemplates; + rewards: IRewardOptions; + data: IOptions; + samples: ISampleQuests[]; +} +export interface ITemplates { + Elimination: IRepeatableQuest; + Completion: IRepeatableQuest; + Exploration: IRepeatableQuest; +} +export interface IPmcDataRepeatableQuest { + id?: string; + name: string; + activeQuests: IRepeatableQuest[]; + inactiveQuests: IRepeatableQuest[]; + endTime: number; + changeRequirement: TChangeRequirementRecord; +} +export type TChangeRequirementRecord = Record; +export interface IChangeRequirement { + changeCost: IChangeCost[]; + changeStandingCost: number; +} +export interface IChangeCost { + templateId: string; + count: number; +} +export interface IRepeatableQuest { + _id: string; + traderId: string; + location: string; + image: string; + type: string; + isKey: boolean; + restartable: boolean; + instantComplete: boolean; + secretQuest: boolean; + canShowNotificationsInGame: boolean; + rewards: IRewards; + conditions: IConditions; + side: string; + questStatus: any; + name: string; + note: string; + description: string; + successMessageText: string; + failMessageText: string; + startedMessageText: string; + changeQuestMessageText: string; + acceptPlayerMessage: string; + declinePlayerMessage: string; + completePlayerMessage: string; + templateId: string; + changeCost: IChangeCost[]; + changeStandingCost: number; + sptRepatableGroupName?: string; +} +export interface IRewards { + Started: IReward[]; + Success: IReward[]; + Fail: IReward[]; +} +export interface IConditions { + AvailableForStart: any[]; + AvailableForFinish: IAvailableFor[]; + Fail: any[]; +} +export interface IAvailableFor { + _props: IAvailableForProps; + _parent: string; + dynamicLocale: boolean; +} +export interface IAvailableForProps { + id: string; + parentId: string; + dynamicLocale: boolean; + index: number; + visibilityConditions: IVisibilityCondition[]; + value: number; +} +export interface IVisibilityCondition { + id: string; + oneSessionOnly: boolean; + value: number; + index: number; + dynamicLocale: boolean; +} +export interface IAvailableForPropsCounter extends IAvailableForProps { + type: string; + oneSessionOnly: boolean; + doNotResetIfCounterCompleted: boolean; + counter?: ICounter; +} +export interface ICounter { + id: string; + conditions: ICondition[]; +} +export interface ICondition { + _props: IConditionProps; + _parent: string; +} +export interface IConditionProps { + id: string; + dynamicLocale: boolean; +} +export interface IElimination extends IRepeatableQuest { + conditions: IEliminationConditions; +} +export interface IEliminationConditions extends IConditions { + AvailableForFinish: IEliminationAvailableFor[]; +} +export interface IEliminationAvailableFor extends IAvailableFor { + _props: IEliminationAvailableForProps; +} +export interface IEliminationAvailableForProps extends IAvailableForPropsCounter { + counter: IEliminationCounter; +} +export interface IEliminationCounter extends ICounter { + conditions: IEliminationCondition[]; +} +export interface IEliminationCondition extends ICondition { + _props: ILocationConditionProps | IKillConditionProps; +} +export interface IExploration extends IRepeatableQuest { + conditions: IExplorationConditions; +} +export interface IExplorationConditions extends IConditions { + AvailableForFinish: IExplorationAvailableFor[]; +} +export interface IExplorationAvailableFor extends IAvailableFor { + _props: IExplorationAvailableForProps; +} +export interface IExplorationAvailableForProps extends IAvailableForPropsCounter { + counter: IExplorationCounter; +} +export interface IExplorationCounter extends ICounter { + conditions: IExplorationCondition[]; +} +export interface IExplorationCondition extends ICondition { + _props: ILocationConditionProps | IExitStatusConditionProps | IExitNameConditionProps; +} +export interface IPickup extends IRepeatableQuest { + conditions: IPickupConditions; +} +export interface IPickupConditions extends IConditions { + AvailableForFinish: IPickupAvailableFor[]; +} +export interface IPickupAvailableFor extends IAvailableFor { + _props: IPickupAvailableForProps; +} +export interface IPickupAvailableForProps extends IAvailableForPropsCounter { + target: string[]; + counter?: IPickupCounter; +} +export interface IPickupCounter extends ICounter { + conditions: IPickupCondition[]; +} +export interface IPickupCondition extends ICondition { + _props: IEquipmentConditionProps | ILocationConditionProps | IExitStatusConditionProps; +} +export interface ICompletion extends IRepeatableQuest { + conditions: ICompletionConditions; +} +export interface ICompletionConditions extends IConditions { + AvailableForFinish: ICompletionAvailableFor[]; +} +export interface ICompletionAvailableFor extends IAvailableFor { + _props: ICompletionAvailableForProps; +} +export interface ICompletionAvailableForProps extends IAvailableForProps { + target: string[]; + minDurability: number; + maxDurability: number; + dogtagLevel: number; + onlyFoundInRaid: boolean; +} +export interface ILocationConditionProps extends IConditionProps { + target: string[]; + weapon?: string[]; + weaponCategories?: string[]; +} +export interface IEquipmentConditionProps extends IConditionProps { + equipmentInclusive: [string[]]; + IncludeNotEquippedItems: boolean; +} +export interface IKillConditionProps extends IConditionProps { + target: string; + value: number; + savageRole?: string[]; + bodyPart?: string[]; + distance?: IDistanceCheck; + weapon?: string[]; + weaponCategories?: string[]; +} +export interface IDistanceCheck { + compareMethod: string; + value: number; +} +export interface IExitStatusConditionProps extends IConditionProps { + status: string[]; +} +export interface IExitNameConditionProps extends IConditionProps { + exitName: string; +} +export interface IRewardOptions { + itemsBlacklist: string[]; +} +export interface IOptions { + Completion: ICompletionFilter; +} +export interface ICompletionFilter { + itemsBlacklist: ItemsBlacklist[]; + itemsWhitelist: ItemsWhitelist[]; +} +export interface ItemsBlacklist { + minPlayerLevel: number; + itemIds: string[]; +} +export interface ItemsWhitelist { + minPlayerLevel: number; + itemIds: string[]; +} +export interface ISampleQuests { + _id: string; + traderId: string; + location: string; + image: string; + type: string; + isKey: boolean; + restartable: boolean; + instantComplete: boolean; + secretQuest: boolean; + canShowNotificationsInGame: boolean; + rewards: IRewards; + conditions: IConditions; + name: string; + note: string; + description: string; + successMessageText: string; + failMessageText: string; + startedMessageText: string; + templateId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ITemplateItem.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ITemplateItem.d.ts new file mode 100644 index 0000000..c17c7a0 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ITemplateItem.d.ts @@ -0,0 +1,492 @@ +import { Ixyz } from "@spt-aki/models/eft/common/Ixyz"; +export interface ITemplateItem { + _id: string; + _name: string; + _parent: string; + _type: string; + _props: Props; + _proto: string; +} +export interface Props { + AllowSpawnOnLocations?: any[]; + BeltMagazineRefreshCount?: number; + ChangePriceCoef?: number; + FixedPrice?: boolean; + SendToClient?: boolean; + Name?: string; + ShortName?: string; + Description?: string; + Weight?: number; + BackgroundColor?: string; + Width?: number; + Height?: number; + StackMaxSize?: number; + Rarity?: string; + SpawnChance?: number; + CreditsPrice?: number; + ItemSound?: string; + Prefab?: Prefab; + UsePrefab?: Prefab; + StackObjectsCount?: number; + NotShownInSlot?: boolean; + ExaminedByDefault?: boolean; + ExamineTime?: number; + IsUndiscardable?: boolean; + IsUnsaleable?: boolean; + IsUnbuyable?: boolean; + IsUngivable?: boolean; + IsUnremovable?: boolean; + IsLockedafterEquip?: boolean; + IsSpecialSlotOnly?: boolean; + IsStationaryWeapon?: boolean; + QuestItem?: boolean; + QuestStashMaxCount?: number; + LootExperience?: number; + ExamineExperience?: number; + HideEntrails?: boolean; + InsuranceDisabled?: boolean; + RepairCost?: number; + RepairSpeed?: number; + ExtraSizeLeft?: number; + ExtraSizeRight?: number; + ExtraSizeUp?: number; + ExtraSizeDown?: number; + ExtraSizeForceAdd?: boolean; + MergesWithChildren?: boolean; + CanSellOnRagfair?: boolean; + CanRequireOnRagfair?: boolean; + ConflictingItems?: string[]; + Unlootable?: boolean; + UnlootableFromSlot?: string; + UnlootableFromSide?: string[]; + AnimationVariantsNumber?: number; + DiscardingBlock?: boolean; + DropSoundType?: string; + RagFairCommissionModifier?: number; + IsAlwaysAvailableForInsurance?: boolean; + DiscardLimit?: number; + MaxResource?: number; + Resource?: number; + DogTagQualities?: boolean; + Grids?: Grid[]; + Slots?: Slot[]; + CanPutIntoDuringTheRaid?: boolean; + CantRemoveFromSlotsDuringRaid?: string[]; + KeyIds?: string[]; + TagColor?: number; + TagName?: string; + Durability?: number; + Accuracy?: number; + Recoil?: number; + Loudness?: number; + EffectiveDistance?: number; + Ergonomics?: number; + Velocity?: number; + RaidModdable?: boolean; + ToolModdable?: boolean; + UniqueAnimationModID?: number; + BlocksFolding?: boolean; + BlocksCollapsible?: boolean; + IsAnimated?: boolean; + HasShoulderContact?: boolean; + SightingRange?: number; + DoubleActionAccuracyPenaltyMult?: number; + ModesCount?: any; + DurabilityBurnModificator?: number; + HeatFactor?: number; + CoolFactor?: number; + muzzleModType?: string; + CustomAimPlane?: string; + sightModType?: string; + aimingSensitivity?: number; + SightModesCount?: number; + OpticCalibrationDistances?: number[]; + ScopesCount?: number; + AimSensitivity?: number | number[][]; + Zooms?: number[][]; + CalibrationDistances?: number[][]; + Intensity?: number; + Mask?: string; + MaskSize?: number; + IsMagazineForStationaryWeapon?: boolean; + NoiseIntensity?: number; + NoiseScale?: number; + Color?: IColor; + DiffuseIntensity?: number; + MagazineWithBelt?: boolean; + HasHinge?: boolean; + RampPalette?: string; + DepthFade?: number; + RoughnessCoef?: number; + SpecularCoef?: number; + MainTexColorCoef?: number; + MinimumTemperatureValue?: number; + RampShift?: number; + HeatMin?: number; + ColdMax?: number; + IsNoisy?: boolean; + IsFpsStuck?: boolean; + IsGlitch?: boolean; + IsMotionBlurred?: boolean; + IsPixelated?: boolean; + PixelationBlockCount?: number; + ShiftsAimCamera?: number; + magAnimationIndex?: number; + Cartridges?: Slot[]; + CanFast?: boolean; + CanHit?: boolean; + CanAdmin?: boolean; + LoadUnloadModifier?: number; + CheckTimeModifier?: number; + CheckOverride?: number; + ReloadMagType?: string; + VisibleAmmoRangesString?: string; + MalfunctionChance?: number; + IsShoulderContact?: boolean; + Foldable?: boolean; + Retractable?: boolean; + SizeReduceRight?: number; + CenterOfImpact?: number; + ShotgunDispersion?: number; + IsSilencer?: boolean; + DeviationCurve?: number; + DeviationMax?: number; + SearchSound?: string; + BlocksArmorVest?: boolean; + speedPenaltyPercent?: number; + GridLayoutName?: string; + SpawnFilter?: any[]; + containType?: any[]; + sizeWidth?: number; + sizeHeight?: number; + isSecured?: boolean; + spawnTypes?: string; + lootFilter?: any[]; + spawnRarity?: string; + minCountSpawn?: number; + maxCountSpawn?: number; + openedByKeyID?: any[]; + RigLayoutName?: string; + MaxDurability?: number; + armorZone?: string[]; + armorClass?: string | number; + mousePenalty?: number; + weaponErgonomicPenalty?: number; + BluntThroughput?: number; + ArmorMaterial?: string; + ArmorType?: string; + weapClass?: string; + weapUseType?: string; + ammoCaliber?: string; + OperatingResource?: number; + RepairComplexity?: number; + durabSpawnMin?: number; + durabSpawnMax?: number; + isFastReload?: boolean; + RecoilForceUp?: number; + RecoilForceBack?: number; + Convergence?: number; + RecoilAngle?: number; + weapFireType?: string[]; + RecolDispersion?: number; + SingleFireRate?: number; + CanQueueSecondShot?: boolean; + bFirerate?: number; + bEffDist?: number; + bHearDist?: number; + isChamberLoad?: boolean; + chamberAmmoCount?: number; + isBoltCatch?: boolean; + defMagType?: string; + defAmmo?: string; + AdjustCollimatorsToTrajectory?: boolean; + shotgunDispersion?: number; + Chambers?: Slot[]; + CameraRecoil?: number; + CameraSnap?: number; + ReloadMode?: string; + AimPlane?: number; + TacticalReloadStiffnes?: Ixyz; + TacticalReloadFixation?: number; + RecoilCenter?: Ixyz; + RotationCenter?: Ixyz; + RotationCenterNoStock?: Ixyz; + FoldedSlot?: string; + CompactHandling?: boolean; + MinRepairDegradation?: number; + MaxRepairDegradation?: number; + IronSightRange?: number; + IsBeltMachineGun?: boolean; + IsFlareGun?: boolean; + IsGrenadeLauncher?: boolean; + IsOneoff?: boolean; + MustBoltBeOpennedForExternalReload?: boolean; + MustBoltBeOpennedForInternalReload?: boolean; + NoFiremodeOnBoltcatch?: boolean; + BoltAction?: boolean; + HipAccuracyRestorationDelay?: number; + HipAccuracyRestorationSpeed?: number; + HipInnaccuracyGain?: number; + ManualBoltCatch?: boolean; + BurstShotsCount?: number; + BaseMalfunctionChance?: number; + AllowJam?: boolean; + AllowFeed?: boolean; + AllowMisfire?: boolean; + AllowSlide?: boolean; + DurabilityBurnRatio?: number; + HeatFactorGun?: number; + CoolFactorGun?: number; + CoolFactorGunMods?: number; + HeatFactorByShot?: number; + AllowOverheat?: boolean; + DoubleActionAccuracyPenalty?: number; + RecoilPosZMult?: number; + MinRepairKitDegradation?: number; + MaxRepairKitDegradation?: number; + BlocksEarpiece?: boolean; + BlocksEyewear?: boolean; + BlocksHeadwear?: boolean; + BlocksFaceCover?: boolean; + Indestructibility?: number; + headSegments?: string[]; + FaceShieldComponent?: boolean; + FaceShieldMask?: string; + MaterialType?: string; + RicochetParams?: Ixyz; + DeafStrength?: string; + BlindnessProtection?: number; + Distortion?: number; + CompressorTreshold?: number; + CompressorAttack?: number; + CompressorRelease?: number; + CompressorGain?: number; + CutoffFreq?: number; + Resonance?: number; + RolloffMultiplier?: number; + ReverbVolume?: number; + CompressorVolume?: number; + AmbientVolume?: number; + DryVolume?: number; + HighFrequenciesGain?: number; + foodUseTime?: number; + foodEffectType?: string; + StimulatorBuffs?: string; + effects_health?: IHealthEffect[] | Record>; + effects_damage?: Record; + MaximumNumberOfUsage?: number; + knifeHitDelay?: number; + knifeHitSlashRate?: number; + knifeHitStabRate?: number; + knifeHitRadius?: number; + knifeHitSlashDam?: number; + knifeHitStabDam?: number; + knifeDurab?: number; + PrimaryDistance?: number; + SecondryDistance?: number; + SlashPenetration?: number; + StabPenetration?: number; + PrimaryConsumption?: number; + SecondryConsumption?: number; + DeflectionConsumption?: number; + AppliedTrunkRotation?: Ixyz; + AppliedHeadRotation?: Ixyz; + DisplayOnModel?: boolean; + AdditionalAnimationLayer?: number; + StaminaBurnRate?: number; + ColliderScaleMultiplier?: Ixyz; + ConfigPathStr?: string; + MaxMarkersCount?: number; + scaleMin?: number; + scaleMax?: number; + medUseTime?: number; + medEffectType?: string; + MaxHpResource?: number; + hpResourceRate?: number; + apResource?: number; + krResource?: number; + MaxOpticZoom?: number; + MaxRepairResource?: number; + TargetItemFilter?: string[]; + RepairQuality?: number; + RepairType?: string; + StackMinRandom?: number; + StackMaxRandom?: number; + ammoType?: string; + InitialSpeed?: number; + BallisticCoeficient?: number; + BulletMassGram?: number; + BulletDiameterMilimeters?: number; + Damage?: number; + ammoAccr?: number; + ammoRec?: number; + ammoDist?: number; + buckshotBullets?: number; + PenetrationPower?: number; + PenetrationPowerDiviation?: number; + ammoHear?: number; + ammoSfx?: string; + MisfireChance?: number; + MinFragmentsCount?: number; + MaxFragmentsCount?: number; + ammoShiftChance?: number; + casingName?: string; + casingEjectPower?: number; + casingMass?: number; + casingSounds?: string; + ProjectileCount?: number; + PenetrationChance?: number; + RicochetChance?: number; + FragmentationChance?: number; + Deterioration?: number; + SpeedRetardation?: number; + Tracer?: boolean; + TracerColor?: string; + TracerDistance?: number; + ArmorDamage?: number; + Caliber?: string; + StaminaBurnPerDamage?: number; + HeavyBleedingDelta?: number; + LightBleedingDelta?: number; + ShowBullet?: boolean; + HasGrenaderComponent?: boolean; + FuzeArmTimeSec?: number; + ExplosionStrength?: number; + MinExplosionDistance?: number; + MaxExplosionDistance?: number; + FragmentsCount?: number; + FragmentType?: string; + ShowHitEffectOnExplode?: boolean; + ExplosionType?: string; + AmmoLifeTimeSec?: number; + Contusion?: Ixyz; + ArmorDistanceDistanceDamage?: Ixyz; + Blindness?: Ixyz; + IsLightAndSoundShot?: boolean; + LightAndSoundShotAngle?: number; + LightAndSoundShotSelfContusionTime?: number; + LightAndSoundShotSelfContusionStrength?: number; + MalfMisfireChance?: number; + MalfFeedChance?: number; + StackSlots?: StackSlot[]; + type?: string; + eqMin?: number; + eqMax?: number; + rate?: number; + ThrowType?: string; + ExplDelay?: number; + Strength?: number; + ContusionDistance?: number; + throwDamMax?: number; + explDelay?: number; + EmitTime?: number; + CanBeHiddenDuringThrow?: boolean; + MinTimeToContactExplode?: number; + ExplosionEffectType?: string; + LinkedWeapon?: string; + UseAmmoWithoutShell?: boolean; + RandomLootSettings?: IRandomLootSettings; +} +export interface IHealthEffect { + type: string; + value: number; +} +export interface Prefab { + path: string; + rcid: string; +} +export interface Grid { + _name: string; + _id: string; + _parent: string; + _props: GridProps; + _proto: string; +} +export interface GridProps { + filters: GridFilter[]; + cellsH: number; + cellsV: number; + minCount: number; + maxCount: number; + maxWeight: number; + isSortingTable: boolean; +} +export interface GridFilter { + Filter: string[]; + ExcludedFilter: string[]; +} +export interface Slot { + _name: string; + _id: string; + _parent: string; + _props: SlotProps; + _max_count?: number; + _required?: boolean; + _mergeSlotWithChildren?: boolean; + _proto: string; +} +export interface SlotProps { + filters: SlotFilter[]; +} +export interface SlotFilter { + Shift?: number; + Filter: string[]; + AnimationIndex?: number; +} +export interface StackSlot { + _name?: string; + _id: string; + _parent: string; + _max_count: number; + _props: StackSlotProps; + _proto: string; + upd: any; +} +export interface StackSlotProps { + filters: SlotFilter[]; +} +export interface IRandomLootSettings { + allowToSpawnIdenticalItems: boolean; + allowToSpawnQuestItems: boolean; + countByRarity: any[]; + excluded: IRandomLootExcluded; + filters: any[]; + findInRaid: boolean; + maxCount: number; + minCount: number; +} +export interface IRandomLootExcluded { + categoryTemplates: any[]; + rarity: string[]; + templates: any[]; +} +export interface EffectsHealth { + Energy: EffectsHealthProps; + Hydration: EffectsHealthProps; +} +export interface EffectsHealthProps { + value: number; +} +export interface EffectsDamage { + Pain: IEffectDamageProps; + LightBleeding: IEffectDamageProps; + HeavyBleeding: IEffectDamageProps; + Contusion: IEffectDamageProps; + RadExposure: IEffectDamageProps; + Fracture: IEffectDamageProps; + DestroyedPart: IEffectDamageProps; +} +export interface IEffectDamageProps { + delay: number; + duration: number; + fadeOut: number; + cost?: number; + healthPenaltyMin?: number; + healthPenaltyMax?: number; +} +export interface IColor { + r: number; + g: number; + b: number; + a: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ITrader.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ITrader.d.ts new file mode 100644 index 0000000..83353de --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/common/tables/ITrader.d.ts @@ -0,0 +1,99 @@ +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +export interface ITrader { + assort: ITraderAssort; + base: ITraderBase; + dialogue?: Record; + questassort: Record>; + suits?: ISuit[]; +} +export interface ITraderBase { + refreshTraderRagfairOffers: boolean; + _id: string; + availableInRaid: boolean; + avatar: string; + balance_dol: number; + balance_eur: number; + balance_rub: number; + buyer_up: boolean; + currency: string; + customization_seller: boolean; + discount: number; + discount_end: number; + gridHeight: number; + insurance: Insurance; + items_buy: IItemBuyData; + items_buy_prohibited: IItemBuyData; + location: string; + loyaltyLevels: LoyaltyLevel[]; + medic: boolean; + name: string; + nextResupply: number; + nickname: string; + repair: Repair; + sell_category: string[]; + surname: string; + unlockedByDefault: boolean; +} +export interface IItemBuyData { + category: string[]; + id_list: string[]; +} +export interface Insurance { + availability: boolean; + excluded_category: string[]; + max_return_hour: number; + max_storage_time: number; + min_payment: number; + min_return_hour: number; +} +export interface LoyaltyLevel { + buy_price_coef: number; + exchange_price_coef: number; + heal_price_coef: number; + insurance_price_coef: number; + minLevel: number; + minSalesSum: number; + minStanding: number; + repair_price_coef: number; +} +export interface Repair { + availability: boolean; + currency: string; + currency_coefficient: number; + excluded_category: string[]; + /** Doesn't exist in client object */ + excluded_id_list: any[]; + quality: number; +} +export interface ITraderAssort { + nextResupply: number; + items: Item[]; + barter_scheme: Record; + loyal_level_items: Record; +} +export interface IBarterScheme { + count: number; + _tpl: string; + onlyFunctional?: boolean; + sptQuestLocked?: boolean; +} +export interface ISuit { + _id: string; + tid: string; + suiteId: string; + isActive: boolean; + requirements: ISuitRequirements; +} +export interface ISuitRequirements { + loyaltyLevel: number; + profileLevel: number; + standing: number; + skillRequirements: string[]; + questRequirements: string[]; + itemRequirements: ItemRequirement[]; +} +export interface ItemRequirement { + count: number; + _tpl: string; + onlyFunctional: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/customization/IBuyClothingRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/customization/IBuyClothingRequestData.d.ts new file mode 100644 index 0000000..d19b70d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/customization/IBuyClothingRequestData.d.ts @@ -0,0 +1,10 @@ +export interface IBuyClothingRequestData { + Action: "CustomizationBuy"; + offer: string; + items: ClothingItem[]; +} +export interface ClothingItem { + del: boolean; + id: string; + count: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/customization/IGetSuitsResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/customization/IGetSuitsResponse.d.ts new file mode 100644 index 0000000..cbb909d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/customization/IGetSuitsResponse.d.ts @@ -0,0 +1,4 @@ +export interface IGetSuitsResponse { + _id: string; + suites: string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/customization/IWearClothingRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/customization/IWearClothingRequestData.d.ts new file mode 100644 index 0000000..122d9cf --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/customization/IWearClothingRequestData.d.ts @@ -0,0 +1,4 @@ +export interface IWearClothingRequestData { + Action: "CustomizationWear"; + suites: string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IAcceptFriendRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IAcceptFriendRequestData.d.ts new file mode 100644 index 0000000..87461aa --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IAcceptFriendRequestData.d.ts @@ -0,0 +1,7 @@ +export interface IAcceptFriendRequestData extends IBaseFriendRequest { +} +export interface ICancelFriendRequestData extends IBaseFriendRequest { +} +export interface IBaseFriendRequest { + request_id: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IChatServer.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IChatServer.d.ts new file mode 100644 index 0000000..48cacc4 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IChatServer.d.ts @@ -0,0 +1,16 @@ +export interface IChatServer { + _id: string; + RegistrationId: number; + VersionId: string; + Ip: string; + Port: number; + DateTime: number; + Chats: IChat[]; + Regions: string[]; + /** Possibly removed */ + IsDeveloper?: boolean; +} +export interface IChat { + _id: string; + Members: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IClearMailMessageRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IClearMailMessageRequest.d.ts new file mode 100644 index 0000000..ca4de5a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IClearMailMessageRequest.d.ts @@ -0,0 +1,3 @@ +export interface IClearMailMessageRequest { + dialogId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IDeleteFriendRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IDeleteFriendRequest.d.ts new file mode 100644 index 0000000..2923e02 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IDeleteFriendRequest.d.ts @@ -0,0 +1,3 @@ +export interface IDeleteFriendRequest { + friend_id: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IFriendRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IFriendRequestData.d.ts new file mode 100644 index 0000000..9c326ac --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IFriendRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IFriendRequestData { + to: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IFriendRequestSendResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IFriendRequestSendResponse.d.ts new file mode 100644 index 0000000..06c40f3 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IFriendRequestSendResponse.d.ts @@ -0,0 +1,5 @@ +export interface IFriendRequestSendResponse { + status: number; + requestid: string; + retryAfter: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetAllAttachmentsRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetAllAttachmentsRequestData.d.ts new file mode 100644 index 0000000..53d8289 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetAllAttachmentsRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IGetAllAttachmentsRequestData { + dialogId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetAllAttachmentsResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetAllAttachmentsResponse.d.ts new file mode 100644 index 0000000..2ddcf83 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetAllAttachmentsResponse.d.ts @@ -0,0 +1,6 @@ +import { Message } from "@spt-aki/models/eft/profile/IAkiProfile"; +export interface IGetAllAttachmentsResponse { + messages: Message[]; + profiles: any[]; + hasMessagesWithRewards: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetChatServerListRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetChatServerListRequestData.d.ts new file mode 100644 index 0000000..8f1beac --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetChatServerListRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IGetChatServerListRequestData { + VersionId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetFriendListDataResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetFriendListDataResponse.d.ts new file mode 100644 index 0000000..271be79 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetFriendListDataResponse.d.ts @@ -0,0 +1,6 @@ +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +export interface IGetFriendListDataResponse { + Friends: IUserDialogInfo[]; + Ignore: string[]; + InIgnoreList: string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetMailDialogInfoRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetMailDialogInfoRequestData.d.ts new file mode 100644 index 0000000..eed84b1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetMailDialogInfoRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IGetMailDialogInfoRequestData { + dialogId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetMailDialogListRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetMailDialogListRequestData.d.ts new file mode 100644 index 0000000..f8fbf5d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetMailDialogListRequestData.d.ts @@ -0,0 +1,4 @@ +export interface IGetMailDialogListRequestData { + limit: number; + offset: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetMailDialogViewRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetMailDialogViewRequestData.d.ts new file mode 100644 index 0000000..3a2e349 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetMailDialogViewRequestData.d.ts @@ -0,0 +1,7 @@ +import { MessageType } from "@spt-aki/models/enums/MessageType"; +export interface IGetMailDialogViewRequestData { + type: MessageType; + dialogId: string; + limit: number; + time: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetMailDialogViewResponseData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetMailDialogViewResponseData.d.ts new file mode 100644 index 0000000..091c128 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IGetMailDialogViewResponseData.d.ts @@ -0,0 +1,6 @@ +import { IUserDialogInfo, Message } from "@spt-aki/models/eft/profile/IAkiProfile"; +export interface IGetMailDialogViewResponseData { + messages: Message[]; + profiles: IUserDialogInfo[]; + hasMessagesWithRewards: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IPinDialogRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IPinDialogRequestData.d.ts new file mode 100644 index 0000000..57b8a00 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IPinDialogRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IPinDialogRequestData { + dialogId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IRemoveDialogRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IRemoveDialogRequestData.d.ts new file mode 100644 index 0000000..874b828 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IRemoveDialogRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IRemoveDialogRequestData { + dialogId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IRemoveMailMessageRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IRemoveMailMessageRequest.d.ts new file mode 100644 index 0000000..e2aa8c6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/IRemoveMailMessageRequest.d.ts @@ -0,0 +1,3 @@ +export interface IRemoveMailMessageRequest { + dialogId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/ISendMessageRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/ISendMessageRequest.d.ts new file mode 100644 index 0000000..5a755c0 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/ISendMessageRequest.d.ts @@ -0,0 +1,7 @@ +import { MessageType } from "@spt-aki/models/enums/MessageType"; +export interface ISendMessageRequest { + dialogId: string; + type: MessageType; + text: string; + replyTo: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/ISetDialogReadRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/ISetDialogReadRequestData.d.ts new file mode 100644 index 0000000..2076232 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/dialog/ISetDialogReadRequestData.d.ts @@ -0,0 +1,3 @@ +export interface ISetDialogReadRequestData { + dialogs: string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/game/ICheckVersionResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/ICheckVersionResponse.d.ts new file mode 100644 index 0000000..fa8aa6f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/ICheckVersionResponse.d.ts @@ -0,0 +1,4 @@ +export interface ICheckVersionResponse { + isvalid: boolean; + latestVersion: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/game/ICurrentGroupResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/ICurrentGroupResponse.d.ts new file mode 100644 index 0000000..85c005b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/ICurrentGroupResponse.d.ts @@ -0,0 +1,17 @@ +import { MemberCategory } from "@spt-aki/models/enums/MemberCategory"; +export interface ICurrentGroupResponse { + squad: ICurrentGroupSquadMember[]; +} +export interface ICurrentGroupSquadMember { + _id: string; + aid: string; + info: ICurrentGroupMemberInfo; + isLeader: boolean; + isReady: boolean; +} +export interface ICurrentGroupMemberInfo { + Nickname: string; + Side: string; + Level: string; + MemberCategory: MemberCategory; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameConfigResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameConfigResponse.d.ts new file mode 100644 index 0000000..2bff352 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameConfigResponse.d.ts @@ -0,0 +1,22 @@ +export interface IGameConfigResponse { + aid: number; + lang: string; + languages: Record; + ndaFree: boolean; + taxonomy: number; + activeProfileId: string; + backend: Backend; + useProtobuf: boolean; + utc_time: number; + /** Total in game time */ + totalInGame: number; + reportAvailable: boolean; + twitchEventMember: boolean; +} +export interface Backend { + Lobby: string; + Trading: string; + Messaging: string; + Main: string; + RagFair: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameEmptyCrcRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameEmptyCrcRequestData.d.ts new file mode 100644 index 0000000..a3ecad9 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameEmptyCrcRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IGameEmptyCrcRequestData { + crc: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameKeepAliveResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameKeepAliveResponse.d.ts new file mode 100644 index 0000000..170ce6a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameKeepAliveResponse.d.ts @@ -0,0 +1,4 @@ +export interface IGameKeepAliveResponse { + msg: string; + utc_time: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameLogoutResponseData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameLogoutResponseData.d.ts new file mode 100644 index 0000000..0f52050 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameLogoutResponseData.d.ts @@ -0,0 +1,3 @@ +export interface IGameLogoutResponseData { + status: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameStartResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameStartResponse.d.ts new file mode 100644 index 0000000..9f0ab6d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGameStartResponse.d.ts @@ -0,0 +1,3 @@ +export interface IGameStartResponse { + utc_time: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGetItemPricesResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGetItemPricesResponse.d.ts new file mode 100644 index 0000000..ab6e818 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGetItemPricesResponse.d.ts @@ -0,0 +1,5 @@ +export interface IGetItemPricesResponse { + supplyNextTime: number; + prices: Record; + currencyCourses: Record; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGetRaidTimeRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGetRaidTimeRequest.d.ts new file mode 100644 index 0000000..b93fb0c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGetRaidTimeRequest.d.ts @@ -0,0 +1,4 @@ +export interface IGetRaidTimeRequest { + Side: string; + Location: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGetRaidTimeResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGetRaidTimeResponse.d.ts new file mode 100644 index 0000000..4dcf0a0 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IGetRaidTimeResponse.d.ts @@ -0,0 +1,12 @@ +export interface IGetRaidTimeResponse { + RaidTimeMinutes: number; + NewSurviveTimeSeconds: number; + OriginalSurvivalTimeSeconds: number; + ExitChanges: ExtractChange[]; +} +export interface ExtractChange { + Name: string; + MinTime?: number; + MaxTime?: number; + Chance?: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IReportNicknameRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IReportNicknameRequestData.d.ts new file mode 100644 index 0000000..087c58b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IReportNicknameRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IReportNicknameRequestData { + uid: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IServerDetails.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IServerDetails.d.ts new file mode 100644 index 0000000..101cf99 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IServerDetails.d.ts @@ -0,0 +1,4 @@ +export interface IServerDetails { + ip: string; + port: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IVersionValidateRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IVersionValidateRequestData.d.ts new file mode 100644 index 0000000..0aa0fed --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/game/IVersionValidateRequestData.d.ts @@ -0,0 +1,11 @@ +export interface IVersionValidateRequestData { + version: Version; + develop: boolean; +} +export interface Version { + major: string; + minor: string; + game: string; + backend: string; + taxonomy: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/health/Effect.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/health/Effect.d.ts new file mode 100644 index 0000000..62d95a8 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/health/Effect.d.ts @@ -0,0 +1,7 @@ +export declare enum Effect { + FRACTURE = "Fracture", + LIGHT_BLEEDING = "LightBleeding", + HEAVY_BLEEDING = "HeavyBleeding", + MILD_MUSCLE_PAIN = "MildMusclePain", + SEVERE_MUSCLE_PAIN = "SevereMusclePain" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/health/IHealthTreatmentRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/health/IHealthTreatmentRequestData.d.ts new file mode 100644 index 0000000..598e60c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/health/IHealthTreatmentRequestData.d.ts @@ -0,0 +1,32 @@ +export interface IHealthTreatmentRequestData { + Action: "RestoreHealth"; + trader: string; + items: Cost[]; + difference: Difference; + timestamp: number; +} +export interface Cost { + /** Id of stack to take money from */ + id: string; + /** Amount of money to take off player for treatment */ + count: number; +} +export interface Difference { + BodyParts: BodyParts; + Energy: number; + Hydration: number; +} +export interface BodyParts { + Head: BodyPart; + Chest: BodyPart; + Stomach: BodyPart; + LeftArm: BodyPart; + RightArm: BodyPart; + LeftLeg: BodyPart; + RightLeg: BodyPart; +} +export interface BodyPart { + Health: number; + /** Effects in array are to be removed */ + Effects: string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/health/IOffraidEatRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/health/IOffraidEatRequestData.d.ts new file mode 100644 index 0000000..0629f8b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/health/IOffraidEatRequestData.d.ts @@ -0,0 +1,7 @@ +import { IBaseInteractionRequestData } from "@spt-aki/models/eft/common/request/IBaseInteractionRequestData"; +export interface IOffraidEatRequestData extends IBaseInteractionRequestData { + Action: "Eat"; + item: string; + count: number; + time: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/health/IOffraidHealRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/health/IOffraidHealRequestData.d.ts new file mode 100644 index 0000000..47b7929 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/health/IOffraidHealRequestData.d.ts @@ -0,0 +1,18 @@ +import { IBaseInteractionRequestData } from "@spt-aki/models/eft/common/request/IBaseInteractionRequestData"; +export interface IOffraidHealRequestData extends IBaseInteractionRequestData { + Action: "Heal"; + item: string; + part: BodyPart; + count: number; + time: number; +} +export declare enum BodyPart { + HEAD = "Head", + CHEST = "Chest", + STOMACH = "Stomach", + LEFT_ARM = "LeftArm", + RIGHT_ARM = "RightArm", + LEFT_LEG = "LeftLeg", + RIGHT_LEG = "RightLeg", + COMMON = "Common" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/health/ISyncHealthRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/health/ISyncHealthRequestData.d.ts new file mode 100644 index 0000000..20e32f6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/health/ISyncHealthRequestData.d.ts @@ -0,0 +1,21 @@ +export interface ISyncHealthRequestData { + Health: Health; + IsAlive: boolean; + Hydration?: number; + Energy?: number; + Temperature?: number; +} +export interface Health { + Head?: BodyPartHealth; + Chest?: BodyPartHealth; + Stomach?: BodyPartHealth; + LeftArm?: BodyPartHealth; + RightArm?: BodyPartHealth; + LeftLeg?: BodyPartHealth; + RightLeg?: BodyPartHealth; +} +export interface BodyPartHealth { + Maximum: number; + Current: number; + Effects: Record; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/health/IWorkoutData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/health/IWorkoutData.d.ts new file mode 100644 index 0000000..ba629d2 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/health/IWorkoutData.d.ts @@ -0,0 +1,4 @@ +export interface IWorkoutData extends Record { + skills: any; + effects: any; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/HideoutUpgradeCompleteRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/HideoutUpgradeCompleteRequestData.d.ts new file mode 100644 index 0000000..8583e8d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/HideoutUpgradeCompleteRequestData.d.ts @@ -0,0 +1,5 @@ +export interface HideoutUpgradeCompleteRequestData { + Action: string; + areaType: number; + timestamp: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHandleQTEEventRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHandleQTEEventRequestData.d.ts new file mode 100644 index 0000000..5dda485 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHandleQTEEventRequestData.d.ts @@ -0,0 +1,8 @@ +export interface IHandleQTEEventRequestData { + Action: string; + /** true if QTE was successful, otherwise false */ + results: boolean[]; + /** Id of the QTE object used from db/hideout/qte.json */ + id: string; + timestamp: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutArea.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutArea.d.ts new file mode 100644 index 0000000..bb00498 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutArea.d.ts @@ -0,0 +1,76 @@ +export interface IHideoutArea { + _id: string; + type: number; + enabled: boolean; + needsFuel: boolean; + requirements: IAreaRequirement[]; + takeFromSlotLocked: boolean; + craftGivesExp: boolean; + displayLevel: boolean; + enableAreaRequirements: boolean; + parentArea?: string; + stages: Record; +} +export interface IAreaRequirement { + areaType: number; + requiredlevel: number; + type: string; +} +export interface Stage { + autoUpgrade: boolean; + bonuses: StageBonus[]; + constructionTime: number; + /** Containers inventory tpl */ + container?: string; + description: string; + displayInterface: boolean; + improvements: IStageImprovement[]; + requirements: IStageRequirement[]; + slots: number; +} +export interface IStageImprovement { + id: string; + bonuses: IStageImprovementBonus[]; + improvementTime: number; + requirements: IStageImprovementRequirement[]; +} +export interface IStageImprovementBonus { + passive: boolean; + production: boolean; + type: string; + value: number; + visible: boolean; +} +export interface IStageImprovementRequirement { + count: number; + isEncoded: boolean; + isFunctional: boolean; + templateId: string; + type: string; +} +export interface IStageRequirement { + areaType?: number; + requiredLevel?: number; + type: string; + templateId?: string; + count?: number; + isEncoded: false; + isFunctional?: boolean; + traderId?: string; + loyaltyLevel?: number; + skillName?: string; + skillLevel?: number; +} +export interface StageBonus { + value: number; + passive: boolean; + production: boolean; + visible: boolean; + skillType?: string; + type: string; + filter?: string[]; + icon?: string; + /** CHANGES PER DUMP */ + id?: string; + templateId?: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutCancelProductionRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutCancelProductionRequestData.d.ts new file mode 100644 index 0000000..4946cc6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutCancelProductionRequestData.d.ts @@ -0,0 +1,5 @@ +export interface IHideoutCancelProductionRequestData { + Action: "HideoutCancelProductionCommand"; + recipeId: string; + timestamp: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutContinuousProductionStartRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutContinuousProductionStartRequestData.d.ts new file mode 100644 index 0000000..3ef00c6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutContinuousProductionStartRequestData.d.ts @@ -0,0 +1,5 @@ +export interface IHideoutContinuousProductionStartRequestData { + Action: "HideoutContinuousProductionStart"; + recipeId: string; + timestamp: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutImproveAreaRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutImproveAreaRequestData.d.ts new file mode 100644 index 0000000..7e927bf --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutImproveAreaRequestData.d.ts @@ -0,0 +1,13 @@ +export interface IHideoutImproveAreaRequestData { + Action: "HideoutImproveArea"; + /** Hideout area id from areas.json */ + id: string; + areaType: number; + items: HideoutItem[]; + timestamp: number; +} +export interface HideoutItem { + /** Hideout inventory id that was used by improvement action */ + id: string; + count: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutProduction.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutProduction.d.ts new file mode 100644 index 0000000..8bed3cc --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutProduction.d.ts @@ -0,0 +1,24 @@ +export interface IHideoutProduction { + _id: string; + areaType: number; + requirements: Requirement[]; + productionTime: number; + endProduct: string; + isEncoded: boolean; + locked: boolean; + needFuelForAllProductionTime: boolean; + continuous: boolean; + count: number; + productionLimitCount: number; +} +export interface Requirement { + templateId?: string; + count?: number; + isEncoded?: boolean; + isFunctional?: boolean; + type: string; + areaType?: number; + requiredLevel?: number; + resource?: number; + questId?: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutPutItemInRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutPutItemInRequestData.d.ts new file mode 100644 index 0000000..8326c55 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutPutItemInRequestData.d.ts @@ -0,0 +1,10 @@ +export interface IHideoutPutItemInRequestData { + Action: "HideoutPutItemsInAreaSlots"; + areaType: number; + items: Record; + timestamp: number; +} +export interface ItemDetails { + count: number; + id: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutScavCase.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutScavCase.d.ts new file mode 100644 index 0000000..5c8b983 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutScavCase.d.ts @@ -0,0 +1,18 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +export interface IHideoutScavCase { + _id: string; + ProductionTime: number; + Requirements: Requirement[]; + EndProducts: EndProducts; +} +export interface Requirement { + templateId: string; + count: number; + isFunctional: boolean; + type: string; +} +export interface EndProducts { + Common: MinMax; + Rare: MinMax; + Superrare: MinMax; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutScavCaseStartRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutScavCaseStartRequestData.d.ts new file mode 100644 index 0000000..72fda86 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutScavCaseStartRequestData.d.ts @@ -0,0 +1,15 @@ +export interface IHideoutScavCaseStartRequestData { + Action: "HideoutScavCaseProductionStart"; + recipeId: string; + items: HideoutItem[]; + tools: Tool[]; + timestamp: number; +} +export interface HideoutItem { + id: string; + count: number; +} +export interface Tool { + id: string; + count: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutSettingsBase.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutSettingsBase.d.ts new file mode 100644 index 0000000..8e45939 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutSettingsBase.d.ts @@ -0,0 +1,6 @@ +export interface IHideoutSettingsBase { + generatorSpeedWithoutFuel: number; + generatorFuelFlowRate: number; + airFilterUnitFlowRate: number; + gpuBoostRate: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutSingleProductionStartRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutSingleProductionStartRequestData.d.ts new file mode 100644 index 0000000..1ed542a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutSingleProductionStartRequestData.d.ts @@ -0,0 +1,10 @@ +export interface IHideoutSingleProductionStartRequestData { + Action: "HideoutSingleProductionStart"; + recipeId: string; + items: Item[]; + timestamp: number; +} +export interface Item { + id: string; + count: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutTakeItemOutRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutTakeItemOutRequestData.d.ts new file mode 100644 index 0000000..83a740a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutTakeItemOutRequestData.d.ts @@ -0,0 +1,6 @@ +export interface IHideoutTakeItemOutRequestData { + Action: "HideoutTakeItemsFromAreaSlots"; + areaType: number; + slots: number[]; + timestamp: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutTakeProductionRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutTakeProductionRequestData.d.ts new file mode 100644 index 0000000..a6847ef --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutTakeProductionRequestData.d.ts @@ -0,0 +1,5 @@ +export interface IHideoutTakeProductionRequestData { + Action: "HideoutTakeProduction"; + recipeId: string; + timestamp: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutToggleAreaRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutToggleAreaRequestData.d.ts new file mode 100644 index 0000000..cdea513 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutToggleAreaRequestData.d.ts @@ -0,0 +1,6 @@ +export interface IHideoutToggleAreaRequestData { + Action: "HideoutToggleArea"; + areaType: number; + enabled: boolean; + timestamp: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutUpgradeCompleteRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutUpgradeCompleteRequestData.d.ts new file mode 100644 index 0000000..545311e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutUpgradeCompleteRequestData.d.ts @@ -0,0 +1,5 @@ +export interface IHideoutUpgradeCompleteRequestData { + Action: "HideoutUpgradeComplete"; + areaType: number; + timestamp: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutUpgradeRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutUpgradeRequestData.d.ts new file mode 100644 index 0000000..dfbfdca --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IHideoutUpgradeRequestData.d.ts @@ -0,0 +1,10 @@ +export interface IHideoutUpgradeRequestData { + Action: "HideoutUpgrade"; + areaType: number; + items: HideoutItem[]; + timestamp: number; +} +export interface HideoutItem { + count: number; + id: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IQteData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IQteData.d.ts new file mode 100644 index 0000000..f842b84 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IQteData.d.ts @@ -0,0 +1,38 @@ +export interface IQteData { + Id: string; + Type: string; + Area: string; + AreaLevel: number; + QuickTimeEvents: IQuickTimeEvent[]; + Requirements: IQteRequirement[]; + Results: Record; +} +export interface IQuickTimeEvent { + Type: string; + Position: number; + StartDelay: number; + EndDelay: number; + Speed: number; + SuccessRange: string; + Key: string; +} +export interface IQteRequirement { + type: string; +} +export interface IQteResult { + Energy: number; + Hydration: number; + RewardsRange: IQteEffect[]; +} +export interface IQteEffect { + Type: string; + SkillId: string; + levelMultipliers: ISkillLevelMultiplier[]; + Time: number; + Weight: number; + Result: string; +} +export interface ISkillLevelMultiplier { + level: number; + multiplier: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IRecordShootingRangePoints.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IRecordShootingRangePoints.d.ts new file mode 100644 index 0000000..5bfd2fd --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/hideout/IRecordShootingRangePoints.d.ts @@ -0,0 +1,4 @@ +export interface IRecordShootingRangePoints { + Action: "RecordShootingRangePoints"; + points: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/httpResponse/IGetBodyResponseData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/httpResponse/IGetBodyResponseData.d.ts new file mode 100644 index 0000000..b5dc5c1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/httpResponse/IGetBodyResponseData.d.ts @@ -0,0 +1,5 @@ +export interface IGetBodyResponseData { + err: number; + errmsg: any; + (data: Type): Type; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/httpResponse/INullResponseData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/httpResponse/INullResponseData.d.ts new file mode 100644 index 0000000..a3ae838 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/httpResponse/INullResponseData.d.ts @@ -0,0 +1,5 @@ +export interface INullResponseData { + err: number; + errmsg: any; + data: null; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inRaid/IInsuredItemsData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inRaid/IInsuredItemsData.d.ts new file mode 100644 index 0000000..c49fb79 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inRaid/IInsuredItemsData.d.ts @@ -0,0 +1,6 @@ +export interface IInsuredItemsData { + id: string; + durability?: number; + maxDurability?: number; + hits?: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inRaid/IRegisterPlayerRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inRaid/IRegisterPlayerRequestData.d.ts new file mode 100644 index 0000000..e2d9cf1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inRaid/IRegisterPlayerRequestData.d.ts @@ -0,0 +1,5 @@ +export interface IRegisterPlayerRequestData { + crc: number; + locationId: string; + variantId: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inRaid/ISaveProgressRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inRaid/ISaveProgressRequestData.d.ts new file mode 100644 index 0000000..c658257 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inRaid/ISaveProgressRequestData.d.ts @@ -0,0 +1,11 @@ +import { IPostRaidPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { ISyncHealthRequestData } from "@spt-aki/models/eft/health/ISyncHealthRequestData"; +import { IInsuredItemsData } from "@spt-aki/models/eft/inRaid/IInsuredItemsData"; +import { PlayerRaidEndState } from "@spt-aki/models/enums/PlayerRaidEndState"; +export interface ISaveProgressRequestData { + exit: PlayerRaidEndState; + profile: IPostRaidPmcData; + isPlayerScav: boolean; + health: ISyncHealthRequestData; + insurance: IInsuredItemsData[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/insurance/IGetInsuranceCostRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/insurance/IGetInsuranceCostRequestData.d.ts new file mode 100644 index 0000000..0e32e96 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/insurance/IGetInsuranceCostRequestData.d.ts @@ -0,0 +1,4 @@ +export interface IGetInsuranceCostRequestData { + traders: string[]; + items: string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/insurance/IGetInsuranceCostResponseData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/insurance/IGetInsuranceCostResponseData.d.ts new file mode 100644 index 0000000..4579fdb --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/insurance/IGetInsuranceCostResponseData.d.ts @@ -0,0 +1 @@ +export type IGetInsuranceCostResponseData = Record>; diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/insurance/IInsureRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/insurance/IInsureRequestData.d.ts new file mode 100644 index 0000000..f739ced --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/insurance/IInsureRequestData.d.ts @@ -0,0 +1,6 @@ +import { IBaseInteractionRequestData } from "@spt-aki/models/eft/common/request/IBaseInteractionRequestData"; +export interface IInsureRequestData extends IBaseInteractionRequestData { + Action: "Insure"; + tid: string; + items: string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IAddItemRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IAddItemRequestData.d.ts new file mode 100644 index 0000000..24f3e31 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IAddItemRequestData.d.ts @@ -0,0 +1,10 @@ +export interface IAddItemRequestData { + /** Trader id */ + tid: string; + items: AddItem[]; +} +export interface AddItem { + count: number; + isPreset?: boolean; + item_id: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IAddItemTempObject.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IAddItemTempObject.d.ts new file mode 100644 index 0000000..c818be6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IAddItemTempObject.d.ts @@ -0,0 +1,8 @@ +import { Item, Location } from "@spt-aki/models/eft/common/tables/IItem"; +export interface IAddItemTempObject { + itemRef: Item; + count: number; + isPreset: boolean; + location?: Location; + containerId?: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryAddRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryAddRequestData.d.ts new file mode 100644 index 0000000..2b90edb --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryAddRequestData.d.ts @@ -0,0 +1,6 @@ +import { Container, IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventoryAddRequestData extends IInventoryBaseActionRequestData { + Action: "Add"; + item: string; + container: Container; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryBaseActionRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryBaseActionRequestData.d.ts new file mode 100644 index 0000000..7e67a56 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryBaseActionRequestData.d.ts @@ -0,0 +1,28 @@ +import { IBaseInteractionRequestData } from "@spt-aki/models/eft/common/request/IBaseInteractionRequestData"; +export interface IInventoryBaseActionRequestData extends IBaseInteractionRequestData { +} +export interface To { + id: string; + container: string; + location?: ToLocation | number; + isSearched?: boolean; +} +export interface ToLocation { + x: number; + y: number; + r: string; + rotation?: string; + isSearched: boolean; +} +export interface Container { + id: string; + container: string; + location?: Location | number; +} +export interface Location { + x: number; + y: number; + r: string; + rotation?: string; + isSearched: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryBindRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryBindRequestData.d.ts new file mode 100644 index 0000000..efa1a43 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryBindRequestData.d.ts @@ -0,0 +1,6 @@ +import { IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventoryBindRequestData extends IInventoryBaseActionRequestData { + Action: "Bind"; + item: string; + index: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryCreateMarkerRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryCreateMarkerRequestData.d.ts new file mode 100644 index 0000000..805b385 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryCreateMarkerRequestData.d.ts @@ -0,0 +1,12 @@ +import { IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventoryCreateMarkerRequestData extends IInventoryBaseActionRequestData { + Action: "CreateMapMarker"; + item: string; + mapMarker: MapMarker; +} +export interface MapMarker { + Type: string; + X: number; + Y: number; + Note: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryDeleteMarkerRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryDeleteMarkerRequestData.d.ts new file mode 100644 index 0000000..e85f094 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryDeleteMarkerRequestData.d.ts @@ -0,0 +1,7 @@ +import { IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventoryDeleteMarkerRequestData extends IInventoryBaseActionRequestData { + Action: "DeleteMapMarker"; + item: string; + X: number; + Y: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryEditMarkerRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryEditMarkerRequestData.d.ts new file mode 100644 index 0000000..d8080f5 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryEditMarkerRequestData.d.ts @@ -0,0 +1,14 @@ +import { IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventoryEditMarkerRequestData extends IInventoryBaseActionRequestData { + Action: "EditMapMarker"; + item: string; + X: number; + Y: number; + mapMarker: MapMarker; +} +export interface MapMarker { + Type: string; + X: number; + Y: number; + Note: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryExamineRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryExamineRequestData.d.ts new file mode 100644 index 0000000..07b0c03 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryExamineRequestData.d.ts @@ -0,0 +1,7 @@ +import { OwnerInfo } from "@spt-aki/models/eft/common/request/IBaseInteractionRequestData"; +import { IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventoryExamineRequestData extends IInventoryBaseActionRequestData { + Action: "Examine"; + item: string; + fromOwner: OwnerInfo; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryFoldRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryFoldRequestData.d.ts new file mode 100644 index 0000000..7623a90 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryFoldRequestData.d.ts @@ -0,0 +1,6 @@ +import { IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventoryFoldRequestData extends IInventoryBaseActionRequestData { + Action: "Fold"; + item: string; + value: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryMergeRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryMergeRequestData.d.ts new file mode 100644 index 0000000..af4e722 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryMergeRequestData.d.ts @@ -0,0 +1,6 @@ +import { IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventoryMergeRequestData extends IInventoryBaseActionRequestData { + Action: "Merge"; + item: string; + with: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryMoveRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryMoveRequestData.d.ts new file mode 100644 index 0000000..9038510 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryMoveRequestData.d.ts @@ -0,0 +1,6 @@ +import { IInventoryBaseActionRequestData, To } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventoryMoveRequestData extends IInventoryBaseActionRequestData { + Action: "Move"; + item: string; + to: To; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryReadEncyclopediaRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryReadEncyclopediaRequestData.d.ts new file mode 100644 index 0000000..6432159 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryReadEncyclopediaRequestData.d.ts @@ -0,0 +1,5 @@ +import { IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventoryReadEncyclopediaRequestData extends IInventoryBaseActionRequestData { + Action: "ReadEncyclopedia"; + ids: string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryRemoveRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryRemoveRequestData.d.ts new file mode 100644 index 0000000..eda96e6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryRemoveRequestData.d.ts @@ -0,0 +1,5 @@ +import { IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventoryRemoveRequestData extends IInventoryBaseActionRequestData { + Action: "Remove"; + item: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventorySortRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventorySortRequestData.d.ts new file mode 100644 index 0000000..b34bb25 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventorySortRequestData.d.ts @@ -0,0 +1,20 @@ +import { Upd } from "@spt-aki/models/eft/common/tables/IItem"; +import { IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventorySortRequestData extends IInventoryBaseActionRequestData { + Action: "ApplyInventoryChanges"; + changedItems: ChangedItem[]; +} +export interface ChangedItem { + _id: string; + _tpl: string; + parentId: string; + slotId: string; + location: Location; + upd: Upd; +} +export interface Location { + x: number; + y: number; + r: string; + isSearched: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventorySplitRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventorySplitRequestData.d.ts new file mode 100644 index 0000000..4d29084 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventorySplitRequestData.d.ts @@ -0,0 +1,11 @@ +import { Container, IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventorySplitRequestData extends IInventoryBaseActionRequestData { + Action: "Split"; + /** Id of item to split */ + splitItem: string; + /** Id of new item stack */ + newItem: string; + /** Destination new item will be placed in */ + container: Container; + count: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventorySwapRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventorySwapRequestData.d.ts new file mode 100644 index 0000000..b32a1f7 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventorySwapRequestData.d.ts @@ -0,0 +1,11 @@ +import { OwnerInfo } from "@spt-aki/models/eft/common/request/IBaseInteractionRequestData"; +import { IInventoryBaseActionRequestData, To } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventorySwapRequestData extends IInventoryBaseActionRequestData { + Action: "Swap"; + item: string; + to: To; + item2: string; + to2: To; + fromOwner2: OwnerInfo; + toOwner2: OwnerInfo; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryTagRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryTagRequestData.d.ts new file mode 100644 index 0000000..5d88eaf --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryTagRequestData.d.ts @@ -0,0 +1,7 @@ +import { IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventoryTagRequestData extends IInventoryBaseActionRequestData { + Action: "Tag"; + item: string; + TagName: string; + TagColor: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryToggleRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryToggleRequestData.d.ts new file mode 100644 index 0000000..138d987 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryToggleRequestData.d.ts @@ -0,0 +1,6 @@ +import { IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventoryToggleRequestData extends IInventoryBaseActionRequestData { + Action: "Toggle"; + item: string; + value: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryTransferRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryTransferRequestData.d.ts new file mode 100644 index 0000000..e98cae6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IInventoryTransferRequestData.d.ts @@ -0,0 +1,7 @@ +import { IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IInventoryTransferRequestData extends IInventoryBaseActionRequestData { + Action: "Transfer"; + item: string; + with: string; + count: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IOpenRandomLootContainerRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IOpenRandomLootContainerRequestData.d.ts new file mode 100644 index 0000000..49a6792 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IOpenRandomLootContainerRequestData.d.ts @@ -0,0 +1,11 @@ +import { IInventoryBaseActionRequestData } from "@spt-aki/models/eft/inventory/IInventoryBaseActionRequestData"; +export interface IOpenRandomLootContainerRequestData extends IInventoryBaseActionRequestData { + Action: "OpenRandomLootContainer"; + /** Container item opened */ + item: string; + to: To[]; +} +export interface To { + /** Player character (pmc/scav) id items will be sent to */ + id: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IRedeemProfileRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IRedeemProfileRequestData.d.ts new file mode 100644 index 0000000..d351a8c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/inventory/IRedeemProfileRequestData.d.ts @@ -0,0 +1,9 @@ +import { IInventoryBaseActionRequestData } from "./IInventoryBaseActionRequestData"; +export interface IRedeemProfileRequestData extends IInventoryBaseActionRequestData { + Action: "RedeemProfileReward"; + events: IRedeemProfileRequestEvent[]; +} +export interface IRedeemProfileRequestEvent { + MessageId: string; + EventId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/itemEvent/IEmptyItemEventRouterResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/itemEvent/IEmptyItemEventRouterResponse.d.ts new file mode 100644 index 0000000..f81bd59 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/itemEvent/IEmptyItemEventRouterResponse.d.ts @@ -0,0 +1,4 @@ +import { IItemEventRouterBase } from "@spt-aki/models/eft/itemEvent/IItemEventRouterBase"; +export interface IEmptyItemEventRouterResponse extends IItemEventRouterBase { + profileChanges: ""; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/itemEvent/IItemEventRouterBase.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/itemEvent/IItemEventRouterBase.d.ts new file mode 100644 index 0000000..a1babfd --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/itemEvent/IItemEventRouterBase.d.ts @@ -0,0 +1,86 @@ +import { Health, IQuestStatus, Productive, Skills } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { Item, Upd } from "@spt-aki/models/eft/common/tables/IItem"; +import { IQuest } from "@spt-aki/models/eft/common/tables/IQuest"; +import { IPmcDataRepeatableQuest } from "@spt-aki/models/eft/common/tables/IRepeatableQuests"; +import { IRagfairOffer } from "@spt-aki/models/eft/ragfair/IRagfairOffer"; +import { EquipmentBuildType } from "@spt-aki/models/enums/EquipmentBuildType"; +export interface IItemEventRouterBase { + warnings: Warning[]; + profileChanges: TProfileChanges | ""; +} +export type TProfileChanges = Record; +export interface Warning { + index: number; + errmsg: string; + code?: string; + data?: any; +} +export interface ProfileChange { + _id: string; + experience: number; + quests: IQuest[]; + ragFairOffers: IRagfairOffer[]; + weaponBuilds: IWeaponBuildChange[]; + equipmentBuilds: IEquipmentBuildChange[]; + items: ItemChanges; + production: Record; + /** Hideout area improvement id */ + improvements: Record; + skills: Skills; + health: Health; + traderRelations: Record; + repeatableQuests?: IPmcDataRepeatableQuest[]; + recipeUnlocked: Record; + changedHideoutStashes?: Record; + questsStatus: IQuestStatus[]; +} +export interface IHideoutStashItem { + Id: string; + Tpl: string; +} +export interface IWeaponBuildChange { + id: string; + name: string; + root: string; + items: Item[]; +} +export interface IEquipmentBuildChange { + id: string; + name: string; + root: string; + items: Item[]; + type: string; + fastpanel: any[]; + buildType: EquipmentBuildType; +} +export interface ItemChanges { + new: Product[]; + change: Product[]; + del: Product[]; +} +export interface Improvement { + completed: boolean; + improveCompleteTimestamp: number; +} +/** Related to TraderInfo */ +export interface TraderData { + salesSum: number; + standing: number; + loyalty: number; + unlocked: boolean; + disabled: boolean; +} +export interface Product { + _id: string; + _tpl?: string; + parentId?: string; + slotId?: string; + location?: ItemChangeLocation; + upd?: Upd; +} +export interface ItemChangeLocation { + x: number; + y: number; + r: number; + isSearched?: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/itemEvent/IItemEventRouterRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/itemEvent/IItemEventRouterRequest.d.ts new file mode 100644 index 0000000..515b49a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/itemEvent/IItemEventRouterRequest.d.ts @@ -0,0 +1,21 @@ +export interface IItemEventRouterRequest { + data: Daum[]; + tm: number; + reload: number; +} +export interface Daum { + Action: string; + item: string; + to: To; +} +export interface To { + id: string; + container: string; + location?: Location; +} +export interface Location { + x: number; + y: number; + r: string; + isSearched: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/itemEvent/IItemEventRouterResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/itemEvent/IItemEventRouterResponse.d.ts new file mode 100644 index 0000000..c5459ff --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/itemEvent/IItemEventRouterResponse.d.ts @@ -0,0 +1,3 @@ +import { IItemEventRouterBase } from "@spt-aki/models/eft/itemEvent/IItemEventRouterBase"; +export interface IItemEventRouterResponse extends IItemEventRouterBase { +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IChangeRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IChangeRequestData.d.ts new file mode 100644 index 0000000..b1b3e94 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IChangeRequestData.d.ts @@ -0,0 +1,4 @@ +import { ILoginRequestData } from "@spt-aki/models/eft/launcher/ILoginRequestData"; +export interface IChangeRequestData extends ILoginRequestData { + change: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IGetMiniProfileRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IGetMiniProfileRequestData.d.ts new file mode 100644 index 0000000..a14c7c9 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IGetMiniProfileRequestData.d.ts @@ -0,0 +1,4 @@ +export interface IGetMiniProfileRequestData { + username: string; + password: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/ILoginRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/ILoginRequestData.d.ts new file mode 100644 index 0000000..e965813 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/ILoginRequestData.d.ts @@ -0,0 +1,4 @@ +export interface ILoginRequestData { + username: string; + password: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IMiniProfile.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IMiniProfile.d.ts new file mode 100644 index 0000000..c12661a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IMiniProfile.d.ts @@ -0,0 +1,14 @@ +export interface IMiniProfile { + username: string; + nickname: string; + side: string; + currlvl: number; + currexp: number; + prevexp: number; + nextlvl: number; + maxlvl: number; + akiData: AkiData; +} +export interface AkiData { + version: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IRegisterData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IRegisterData.d.ts new file mode 100644 index 0000000..b69d9ed --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IRegisterData.d.ts @@ -0,0 +1,4 @@ +import { ILoginRequestData } from "@spt-aki/models/eft/launcher/ILoginRequestData"; +export interface IRegisterData extends ILoginRequestData { + edition: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IRemoveProfileData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IRemoveProfileData.d.ts new file mode 100644 index 0000000..2ad9694 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/launcher/IRemoveProfileData.d.ts @@ -0,0 +1,2 @@ +import { ILoginRequestData } from "@spt-aki/models/eft/launcher/ILoginRequestData"; +export type IRemoveProfileData = ILoginRequestData; diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/location/IAirdropLootResult.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/location/IAirdropLootResult.d.ts new file mode 100644 index 0000000..219ee7e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/location/IAirdropLootResult.d.ts @@ -0,0 +1,5 @@ +import { LootItem } from "@spt-aki/models/spt/services/LootItem"; +export interface IAirdropLootResult { + dropType: string; + loot: LootItem[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/location/IGetLocationRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/location/IGetLocationRequestData.d.ts new file mode 100644 index 0000000..04e84d9 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/location/IGetLocationRequestData.d.ts @@ -0,0 +1,5 @@ +export interface IGetLocationRequestData { + crc: number; + locationId: string; + variantId: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IAcceptGroupInviteRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IAcceptGroupInviteRequest.d.ts new file mode 100644 index 0000000..1a4b8f7 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IAcceptGroupInviteRequest.d.ts @@ -0,0 +1,3 @@ +export interface IAcceptGroupInviteRequest { + requestId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IAcceptGroupInviteResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IAcceptGroupInviteResponse.d.ts new file mode 100644 index 0000000..eea1ce6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IAcceptGroupInviteResponse.d.ts @@ -0,0 +1,16 @@ +export interface IAcceptGroupInviteResponse { + _id: string; + aid: number; + Info: PlayerInviteInfo; + isLeader: boolean; + isReady: boolean; +} +export interface PlayerInviteInfo { + Nickname: string; + Side: string; + Level: number; + MemberCategory: number; + GameVersion: string; + SavageLockTime: number; + SavageNickname: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/ICancelGroupInviteRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/ICancelGroupInviteRequest.d.ts new file mode 100644 index 0000000..71d79c7 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/ICancelGroupInviteRequest.d.ts @@ -0,0 +1,3 @@ +export interface ICancelGroupInviteRequest { + requestId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/ICreateGroupRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/ICreateGroupRequestData.d.ts new file mode 100644 index 0000000..322a095 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/ICreateGroupRequestData.d.ts @@ -0,0 +1,6 @@ +import { RaidMode } from "@spt-aki/models/enums/RaidMode"; +export interface ICreateGroupRequestData { + location: string; + raidMode: RaidMode; + startInGroup: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IEndOfflineRaidRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IEndOfflineRaidRequestData.d.ts new file mode 100644 index 0000000..9368c32 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IEndOfflineRaidRequestData.d.ts @@ -0,0 +1,6 @@ +export interface IEndOfflineRaidRequestData { + crc: number; + exitStatus: string; + exitName: string; + raidSeconds: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IGetGroupStatusRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IGetGroupStatusRequestData.d.ts new file mode 100644 index 0000000..28b9500 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IGetGroupStatusRequestData.d.ts @@ -0,0 +1,9 @@ +import { RaidMode } from "@spt-aki/models/enums/RaidMode"; +export interface IGetGroupStatusRequestData { + location: string; + savage: boolean; + dt: string; + keyId: string; + raidMode: RaidMode; + spawnPlace: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IGetGroupStatusResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IGetGroupStatusResponse.d.ts new file mode 100644 index 0000000..8209ef5 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IGetGroupStatusResponse.d.ts @@ -0,0 +1,19 @@ +import { MemberCategory } from "@spt-aki/models/enums/MemberCategory"; +export interface IGetGroupStatusResponse { + players: IPlayer[]; + maxPveCountExceeded: boolean; +} +export interface IPlayer { + aid: string; + _id: string; + lookingGroup: boolean; + IsLeader: boolean; + IsReady: boolean; + Info: ICurrentGroupMemberInfo; +} +export interface ICurrentGroupMemberInfo { + Nickname: string; + Side: string; + Level: string; + MemberCategory: MemberCategory; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IGetProfileRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IGetProfileRequestData.d.ts new file mode 100644 index 0000000..86b5bbd --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IGetProfileRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IGetProfileRequestData { + profileId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IGetRaidConfigurationRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IGetRaidConfigurationRequestData.d.ts new file mode 100644 index 0000000..ed3dfab --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IGetRaidConfigurationRequestData.d.ts @@ -0,0 +1,32 @@ +export interface IGetRaidConfigurationRequestData { + keyId: string; + side: string; + location: string; + timeVariant: string; + raidMode: string; + metabolismDisabled: boolean; + playersSpawnPlace: string; + timeAndWeatherSettings: TimeAndWeatherSettings; + botSettings: BotSettings; + wavesSettings: WavesSettings; +} +export interface TimeAndWeatherSettings { + isRandomTime: boolean; + isRandomWeather: boolean; + cloudinessType: string; + rainType: string; + windType: string; + fogType: string; + timeFlowType: string; + hourOfDay: number; +} +export interface BotSettings { + isScavWars: boolean; + botAmount: string; +} +export interface WavesSettings { + botAmount: string; + botDifficulty: string; + isBosses: boolean; + isTaggedAndCursed: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IJoinMatchRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IJoinMatchRequestData.d.ts new file mode 100644 index 0000000..b9b7568 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IJoinMatchRequestData.d.ts @@ -0,0 +1,9 @@ +export interface IJoinMatchRequestData { + groupid: string; + servers: Server[]; +} +export interface Server { + ping: number; + ip: string; + port: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IJoinMatchResult.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IJoinMatchResult.d.ts new file mode 100644 index 0000000..e0e867f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IJoinMatchResult.d.ts @@ -0,0 +1,18 @@ +export interface IJoinMatchResult { + maxPveCountExceeded: boolean; + profiles: IJoinMatchPlayerProfile[]; +} +export interface IJoinMatchPlayerProfile { + profileid: string; + profileToken: string; + status: string; + sid: string; + ip: string; + port: number; + version: string; + location: string; + raidMode: string; + mode: string; + shortid: string; + additional_info: any[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IPutMetricsRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IPutMetricsRequestData.d.ts new file mode 100644 index 0000000..d9ed214 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IPutMetricsRequestData.d.ts @@ -0,0 +1,10 @@ +export interface IPutMetricsRequestData { + sid: string; + settings: any; + SharedSettings: any; + HardwareDescription: any; + Location: string; + Metrics: any; + ClientEvents: any; + SpikeSamples: any[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IRemovePlayerFromGroupRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IRemovePlayerFromGroupRequest.d.ts new file mode 100644 index 0000000..4877c54 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IRemovePlayerFromGroupRequest.d.ts @@ -0,0 +1,3 @@ +export interface IRemovePlayerFromGroupRequest { + aidToKick: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/ISendGroupInviteRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/ISendGroupInviteRequest.d.ts new file mode 100644 index 0000000..66d3d0e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/ISendGroupInviteRequest.d.ts @@ -0,0 +1,4 @@ +export interface ISendGroupInviteRequest { + to: string; + inLobby: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/ITransferGroupRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/ITransferGroupRequest.d.ts new file mode 100644 index 0000000..e17c2a8 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/ITransferGroupRequest.d.ts @@ -0,0 +1,3 @@ +export interface ITransferGroupRequest { + aidToChange: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IUpdatePingRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IUpdatePingRequestData.d.ts new file mode 100644 index 0000000..defbd66 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/match/IUpdatePingRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IUpdatePingRequestData { + servers: any[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/notes/INoteActionData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/notes/INoteActionData.d.ts new file mode 100644 index 0000000..97575be --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/notes/INoteActionData.d.ts @@ -0,0 +1,10 @@ +import { IBaseInteractionRequestData } from "@spt-aki/models/eft/common/request/IBaseInteractionRequestData"; +export interface INoteActionData extends IBaseInteractionRequestData { + Action: string; + index: number; + note: INote; +} +export interface INote { + Time: number; + Text: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/notifier/INotifier.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/notifier/INotifier.d.ts new file mode 100644 index 0000000..74343d8 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/notifier/INotifier.d.ts @@ -0,0 +1,24 @@ +import { Message } from "@spt-aki/models/eft/profile/IAkiProfile"; +export interface INotifierChannel { + server: string; + channel_id: string; + url: string; + notifierServer: string; + ws: string; +} +export interface INotification { + type: NotificationType; + eventId: string; + dialogId?: string; + message?: Message; +} +export declare enum NotificationType { + RAGFAIR_OFFER_SOLD = "RagfairOfferSold", + RAGFAIR_RATING_CHANGE = "RagfairRatingChange", + /** ChatMessageReceived */ + NEW_MESSAGE = "new_message", + PING = "ping", + TRADER_SUPPLY = "TraderSupply", + TRADER_STANDING = "TraderStanding", + UNLOCK_TRADER = "UnlockTrader" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/notifier/ISelectProfileRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/notifier/ISelectProfileRequestData.d.ts new file mode 100644 index 0000000..2bc3d1e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/notifier/ISelectProfileRequestData.d.ts @@ -0,0 +1,3 @@ +export interface ISelectProfileRequestData { + uid: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/notifier/ISelectProfileResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/notifier/ISelectProfileResponse.d.ts new file mode 100644 index 0000000..f2d6be7 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/notifier/ISelectProfileResponse.d.ts @@ -0,0 +1,3 @@ +export interface ISelectProfileResponse { + status: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/player/IPlayerIncrementSkillLevelRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/player/IPlayerIncrementSkillLevelRequestData.d.ts new file mode 100644 index 0000000..cbda924 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/player/IPlayerIncrementSkillLevelRequestData.d.ts @@ -0,0 +1,21 @@ +import { Skills } from "@spt-aki/models/eft/common/tables/IBotBase"; +export interface IPlayerIncrementSkillLevelRequestData { + _id: string; + experience: number; + quests: any[]; + ragFairOffers: any[]; + builds: any[]; + items: Items; + production: Production; + skills: Skills; + traderRelations: TraderRelations; +} +export interface Items { + new: any[]; + change: any[]; + del: any[]; +} +export interface Production { +} +export interface TraderRelations { +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/presetBuild/IPresetBuildActionRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/presetBuild/IPresetBuildActionRequestData.d.ts new file mode 100644 index 0000000..d54116a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/presetBuild/IPresetBuildActionRequestData.d.ts @@ -0,0 +1,8 @@ +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +export interface IPresetBuildActionRequestData { + Action: string; + id: string; + name: string; + root: string; + items: Item[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/presetBuild/IRemoveBuildRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/presetBuild/IRemoveBuildRequestData.d.ts new file mode 100644 index 0000000..0d61c4b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/presetBuild/IRemoveBuildRequestData.d.ts @@ -0,0 +1,4 @@ +export interface IRemoveBuildRequestData { + Action: "RemoveBuild"; + id: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/GetProfileStatusResponseData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/GetProfileStatusResponseData.d.ts new file mode 100644 index 0000000..1228c2e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/GetProfileStatusResponseData.d.ts @@ -0,0 +1,18 @@ +export interface GetProfileStatusResponseData { + maxPveCountExceeded: false; + profiles: ProfileData[]; +} +export interface ProfileData { + profileid: string; + profileToken: string; + status: string; + ip: string; + port: number; + sid: string; + version?: string; + location?: string; + raidMode?: string; + mode?: string; + shortId?: string; + additional_info?: any[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IAkiProfile.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IAkiProfile.d.ts new file mode 100644 index 0000000..78302ee --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IAkiProfile.d.ts @@ -0,0 +1,214 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { EquipmentBuildType } from "@spt-aki/models/enums/EquipmentBuildType"; +import { MemberCategory } from "@spt-aki/models/enums/MemberCategory"; +import { MessageType } from "@spt-aki/models/enums/MessageType"; +import { IProfileChangeEvent } from "@spt-aki/models/spt/dialog/ISendMessageDetails"; +export interface IAkiProfile { + info: Info; + characters: Characters; + /** Clothing purchases */ + suits: string[]; + userbuilds: IUserBuilds; + dialogues: Record; + aki: Aki; + vitality: Vitality; + inraid: Inraid; + insurance: Insurance[]; + /** Assort purchases made by player since last trader refresh */ + traderPurchases?: Record>; +} +export declare class TraderPurchaseData { + count: number; + purchaseTimestamp: number; +} +export interface Info { + id: string; + aid: number; + username: string; + password: string; + wipe: boolean; + edition: string; +} +export interface Characters { + pmc: IPmcData; + scav: IPmcData; +} +export interface IUserBuilds { + weaponBuilds: IWeaponBuild[]; + equipmentBuilds: IEquipmentBuild[]; +} +export interface IWeaponBuild { + id: string; + name: string; + root: string; + items: Item[]; + type: string; +} +export interface IEquipmentBuild { + id: string; + name: string; + root: string; + items: Item[]; + type: string; + fastPanel: Record; + buildType: EquipmentBuildType; +} +export interface Dialogue { + attachmentsNew: number; + type: MessageType; + new: number; + _id: string; + Users?: IUserDialogInfo[]; + pinned: boolean; + messages: Message[]; +} +export interface IUserDialogInfo { + _id: string; + info: IUserDialogDetails; +} +export interface IUserDialogDetails { + Nickname: string; + Side: string; + Level: number; + MemberCategory: MemberCategory; +} +export interface DialogueInfo { + attachmentsNew: number; + new: number; + _id: string; + type: MessageType; + pinned: boolean; + Users?: IUserDialogInfo[]; + message: MessagePreview; +} +export interface Message { + _id: string; + uid: string; + type: MessageType; + dt: number; + UtcDateTime?: number; + Member?: IUpdatableChatMember; + templateId?: string; + text?: string; + hasRewards?: boolean; + rewardCollected: boolean; + items?: MessageItems; + maxStorageTime?: number; + systemData?: ISystemData; + profileChangeEvents?: IProfileChangeEvent[]; +} +export interface MessagePreview { + uid: string; + type: MessageType; + dt: number; + templateId: string; + text?: string; + systemData?: ISystemData; +} +export interface MessageItems { + stash?: string; + data?: Item[]; +} +export interface ISystemData { + date?: string; + time?: string; + location?: string; + buyerNickname?: string; + soldItem?: string; + itemCount?: number; +} +export interface IUpdatableChatMember { + Nickname: string; + Side: string; + Level: number; + MemberCategory: MemberCategory; + Ignored: boolean; + Banned: boolean; +} +export interface DateTime { + date: string; + time: string; +} +export interface Aki { + version: string; + mods?: ModDetails[]; + receivedGifts: ReceivedGift[]; +} +export interface ModDetails { + name: string; + version: string; + author: string; + dateAdded: number; +} +export interface ReceivedGift { + giftId: string; + timestampAccepted: number; +} +export interface Vitality { + health: Health; + effects: Effects; +} +export interface Health { + Hydration: number; + Energy: number; + Temperature: number; + Head: number; + Chest: number; + Stomach: number; + LeftArm: number; + RightArm: number; + LeftLeg: number; + RightLeg: number; +} +export interface Effects { + Head: Head; + Chest: Chest; + Stomach: Stomach; + LeftArm: LeftArm; + RightArm: RightArm; + LeftLeg: LeftLeg; + RightLeg: RightLeg; +} +export interface Head { +} +export interface Chest { +} +export interface Stomach { +} +export interface LeftArm { + Fracture?: number; +} +export interface RightArm { + Fracture?: number; +} +export interface LeftLeg { + Fracture?: number; +} +export interface RightLeg { + Fracture?: number; +} +export interface Inraid { + location: string; + character: string; +} +export interface Insurance { + scheduledTime: number; + traderId: string; + messageContent: MessageContent; + items: Item[]; +} +export interface MessageContent { + ragfair?: MessageContentRagfair; + text?: string; + templateId: string; + type: MessageType; + maxStorageTime?: number; + profileChangeEvents?: any[]; + systemData?: ISystemData; +} +export interface MessageContentRagfair { + offerId: string; + count: number; + handbookId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IConnectResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IConnectResponse.d.ts new file mode 100644 index 0000000..8e809ef --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IConnectResponse.d.ts @@ -0,0 +1,6 @@ +export interface IConnectResponse { + backendUrl: string; + name: string; + editions: string[]; + profileDescriptions: Record; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/ICreateProfileResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/ICreateProfileResponse.d.ts new file mode 100644 index 0000000..c297482 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/ICreateProfileResponse.d.ts @@ -0,0 +1,3 @@ +export interface ICreateProfileResponse { + uid: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IGetProfileSettingsRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IGetProfileSettingsRequest.d.ts new file mode 100644 index 0000000..8168615 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IGetProfileSettingsRequest.d.ts @@ -0,0 +1,3 @@ +export interface IGetProfileSettingsRequest { + squadInviteRestriction: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IProfileChangeNicknameRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IProfileChangeNicknameRequestData.d.ts new file mode 100644 index 0000000..4a61196 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IProfileChangeNicknameRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IProfileChangeNicknameRequestData { + nickname: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IProfileChangeVoiceRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IProfileChangeVoiceRequestData.d.ts new file mode 100644 index 0000000..91058ce --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IProfileChangeVoiceRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IProfileChangeVoiceRequestData { + voice: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IProfileCreateRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IProfileCreateRequestData.d.ts new file mode 100644 index 0000000..93cc656 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IProfileCreateRequestData.d.ts @@ -0,0 +1,6 @@ +export interface IProfileCreateRequestData { + side: string; + nickname: string; + headId: string; + voiceId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/ISearchFriendRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/ISearchFriendRequestData.d.ts new file mode 100644 index 0000000..e63e386 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/ISearchFriendRequestData.d.ts @@ -0,0 +1,3 @@ +export interface ISearchFriendRequestData { + nickname: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/ISearchFriendResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/ISearchFriendResponse.d.ts new file mode 100644 index 0000000..96d88b2 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/ISearchFriendResponse.d.ts @@ -0,0 +1,9 @@ +export interface ISearchFriendResponse { + _id: string; + Info: Info; +} +export interface Info { + Nickname: string; + Side: string; + Level: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IValidateNicknameRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IValidateNicknameRequestData.d.ts new file mode 100644 index 0000000..9cca7e7 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/profile/IValidateNicknameRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IValidateNicknameRequestData { + nickname: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IAcceptQuestRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IAcceptQuestRequestData.d.ts new file mode 100644 index 0000000..0e4821a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IAcceptQuestRequestData.d.ts @@ -0,0 +1,5 @@ +export interface IAcceptQuestRequestData { + Action: "QuestAccept"; + qid: string; + type: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/ICompleteQuestRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/ICompleteQuestRequestData.d.ts new file mode 100644 index 0000000..36a6db3 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/ICompleteQuestRequestData.d.ts @@ -0,0 +1,6 @@ +export interface ICompleteQuestRequestData { + Action: string; + /** Quest Id */ + qid: string; + removeExcessItems: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IFailQuestRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IFailQuestRequestData.d.ts new file mode 100644 index 0000000..5881d91 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IFailQuestRequestData.d.ts @@ -0,0 +1,5 @@ +export interface IFailQuestRequestData { + Action: "QuestComplete"; + qid: string; + removeExcessItems: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IHandoverQuestRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IHandoverQuestRequestData.d.ts new file mode 100644 index 0000000..63f10a8 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IHandoverQuestRequestData.d.ts @@ -0,0 +1,10 @@ +export interface IHandoverQuestRequestData { + Action: "QuestHandover"; + qid: string; + conditionId: string; + items: Item[]; +} +export interface Item { + id: string; + count: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IListQuestsRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IListQuestsRequestData.d.ts new file mode 100644 index 0000000..91f0b8c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IListQuestsRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IListQuestsRequestData { + completed: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IRepeatableQuestChangeRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IRepeatableQuestChangeRequest.d.ts new file mode 100644 index 0000000..015f58e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/quests/IRepeatableQuestChangeRequest.d.ts @@ -0,0 +1,4 @@ +export interface IRepeatableQuestChangeRequest { + Action: "RepeatableQuestChange"; + qid: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IAddOfferRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IAddOfferRequestData.d.ts new file mode 100644 index 0000000..465ee02 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IAddOfferRequestData.d.ts @@ -0,0 +1,13 @@ +export interface IAddOfferRequestData { + Action: string; + sellInOnePiece: boolean; + items: string[]; + requirements: Requirement[]; +} +export interface Requirement { + _tpl: string; + count: number; + level: number; + side: number; + onlyFunctional: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IExtendOfferRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IExtendOfferRequestData.d.ts new file mode 100644 index 0000000..2a4a876 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IExtendOfferRequestData.d.ts @@ -0,0 +1,4 @@ +export interface IExtendOfferRequestData { + offerId: string; + renewalTime: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IGetItemPriceResult.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IGetItemPriceResult.d.ts new file mode 100644 index 0000000..e692b1b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IGetItemPriceResult.d.ts @@ -0,0 +1,4 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +export interface IGetItemPriceResult extends MinMax { + avg: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IGetMarketPriceRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IGetMarketPriceRequestData.d.ts new file mode 100644 index 0000000..00f8f17 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IGetMarketPriceRequestData.d.ts @@ -0,0 +1,3 @@ +export interface IGetMarketPriceRequestData { + templateId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IGetOffersResult.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IGetOffersResult.d.ts new file mode 100644 index 0000000..8b753ae --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IGetOffersResult.d.ts @@ -0,0 +1,7 @@ +import { IRagfairOffer } from "@spt-aki/models/eft/ragfair/IRagfairOffer"; +export interface IGetOffersResult { + categories?: Record; + offers: IRagfairOffer[]; + offersCount: number; + selectedCategory: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IGetRagfairOfferByIdRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IGetRagfairOfferByIdRequest.d.ts new file mode 100644 index 0000000..91e3615 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IGetRagfairOfferByIdRequest.d.ts @@ -0,0 +1,3 @@ +export interface IGetRagfairOfferByIdRequest { + id: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IRagfairOffer.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IRagfairOffer.d.ts new file mode 100644 index 0000000..043a986 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IRagfairOffer.d.ts @@ -0,0 +1,46 @@ +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { MemberCategory } from "@spt-aki/models/enums/MemberCategory"; +export interface IRagfairOffer { + sellResult?: SellResult[]; + _id: string; + items: Item[]; + requirements: OfferRequirement[]; + root: string; + intId: number; + /** Handbook price */ + itemsCost: number; + /** Rouble price */ + requirementsCost: number; + startTime: number; + endTime: number; + sellInOnePiece: boolean; + loyaltyLevel: number; + buyRestrictionMax?: number; + buyRestrictionCurrent?: number; + locked: boolean; + unlimitedCount: boolean; + /** Rouble price */ + summaryCost: number; + user: IRagfairOfferUser; + notAvailable: boolean; + /** TODO - implement this value - not currently used */ + CurrentItemCount: number; + priority: boolean; +} +export interface OfferRequirement { + _tpl: string; + count: number; + onlyFunctional: boolean; +} +export interface IRagfairOfferUser { + id: string; + nickname?: string; + rating?: number; + memberType: MemberCategory; + avatar?: string; + isRatingGrowing?: boolean; +} +export interface SellResult { + sellTime: number; + amount: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IRemoveOfferRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IRemoveOfferRequestData.d.ts new file mode 100644 index 0000000..d926615 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IRemoveOfferRequestData.d.ts @@ -0,0 +1,4 @@ +export interface IRemoveOfferRequestData { + Action: string; + offerId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/ISearchRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/ISearchRequestData.d.ts new file mode 100644 index 0000000..52cb2d4 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/ISearchRequestData.d.ts @@ -0,0 +1,33 @@ +import { RagfairSort } from "@spt-aki/models/enums/RagfairSort"; +export interface ISearchRequestData { + page: number; + limit: number; + sortType: RagfairSort; + sortDirection: number; + currency: number; + priceFrom: number; + priceTo: number; + quantityFrom: number; + quantityTo: number; + conditionFrom: number; + conditionTo: number; + oneHourExpiration: boolean; + removeBartering: boolean; + offerOwnerType: OfferOwnerType; + onlyFunctional: boolean; + updateOfferCount: boolean; + handbookId: string; + linkedSearchId: string; + neededSearchId: string; + buildItems: BuildItems; + buildCount: number; + tm: number; + reload: number; +} +export declare enum OfferOwnerType { + ANYOWNERTYPE = 0, + TRADEROWNERTYPE = 1, + PLAYEROWNERTYPE = 2 +} +export interface BuildItems { +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/ISendRagfairReportRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/ISendRagfairReportRequestData.d.ts new file mode 100644 index 0000000..2d14d20 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/ISendRagfairReportRequestData.d.ts @@ -0,0 +1,3 @@ +export interface ISendRagfairReportRequestData { + offerId: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IStorePlayerOfferTaxAmountRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IStorePlayerOfferTaxAmountRequestData.d.ts new file mode 100644 index 0000000..ebf470e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/ragfair/IStorePlayerOfferTaxAmountRequestData.d.ts @@ -0,0 +1,6 @@ +export interface IStorePlayerOfferTaxAmountRequestData { + id: string; + tpl: string; + count: number; + fee: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/repair/IBaseRepairActionDataRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/repair/IBaseRepairActionDataRequest.d.ts new file mode 100644 index 0000000..e645fb3 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/repair/IBaseRepairActionDataRequest.d.ts @@ -0,0 +1,3 @@ +export interface IBaseRepairActionDataRequest { + Action: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/repair/IRepairActionDataRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/repair/IRepairActionDataRequest.d.ts new file mode 100644 index 0000000..ceb3f7c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/repair/IRepairActionDataRequest.d.ts @@ -0,0 +1,10 @@ +import { IBaseRepairActionDataRequest } from "@spt-aki/models/eft/repair/IBaseRepairActionDataRequest"; +export interface IRepairActionDataRequest extends IBaseRepairActionDataRequest { + Action: "Repair"; + repairKitsInfo: RepairKitsInfo[]; + target: string; +} +export interface RepairKitsInfo { + _id: string; + count: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/repair/ITraderRepairActionDataRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/repair/ITraderRepairActionDataRequest.d.ts new file mode 100644 index 0000000..82b83c6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/repair/ITraderRepairActionDataRequest.d.ts @@ -0,0 +1,10 @@ +import { IBaseRepairActionDataRequest } from "@spt-aki/models/eft/repair/IBaseRepairActionDataRequest"; +export interface ITraderRepairActionDataRequest extends IBaseRepairActionDataRequest { + Action: "TraderRepair"; + tid: string; + repairItems: RepairItem[]; +} +export interface RepairItem { + _id: string; + count: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/IProcessBaseTradeRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/IProcessBaseTradeRequestData.d.ts new file mode 100644 index 0000000..a9ef757 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/IProcessBaseTradeRequestData.d.ts @@ -0,0 +1,5 @@ +export interface IProcessBaseTradeRequestData { + Action: string; + type: string; + tid: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/IProcessBuyTradeRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/IProcessBuyTradeRequestData.d.ts new file mode 100644 index 0000000..cc4336a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/IProcessBuyTradeRequestData.d.ts @@ -0,0 +1,15 @@ +import { IProcessBaseTradeRequestData } from "@spt-aki/models/eft/trade/IProcessBaseTradeRequestData"; +export interface IProcessBuyTradeRequestData extends IProcessBaseTradeRequestData { + Action: "buy_from_trader" | "TradingConfirm" | "RestoreHealth" | "" | "SptInsure" | "SptRepair"; + type: string; + tid: string; + item_id: string; + count: number; + scheme_id: number; + scheme_items: SchemeItem[]; +} +export interface SchemeItem { + /** Id of stack to take money from, is money tpl when Action is `SptInsure` */ + id: string; + count: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/IProcessRagfairTradeRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/IProcessRagfairTradeRequestData.d.ts new file mode 100644 index 0000000..889dfd1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/IProcessRagfairTradeRequestData.d.ts @@ -0,0 +1,13 @@ +export interface IProcessRagfairTradeRequestData { + Action: string; + offers: Offer[]; +} +export interface Offer { + id: string; + count: number; + items: Item[]; +} +export interface Item { + id: string; + count: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/IProcessSellTradeRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/IProcessSellTradeRequestData.d.ts new file mode 100644 index 0000000..c0f91a0 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/IProcessSellTradeRequestData.d.ts @@ -0,0 +1,13 @@ +import { IProcessBaseTradeRequestData } from "@spt-aki/models/eft/trade/IProcessBaseTradeRequestData"; +export interface IProcessSellTradeRequestData extends IProcessBaseTradeRequestData { + Action: "sell_to_trader"; + type: string; + tid: string; + price: number; + items: Item[]; +} +export interface Item { + id: string; + count: number; + scheme_id: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/ISellScavItemsToFenceRequestData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/ISellScavItemsToFenceRequestData.d.ts new file mode 100644 index 0000000..1fc6025 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/trade/ISellScavItemsToFenceRequestData.d.ts @@ -0,0 +1,6 @@ +import { OwnerInfo } from "@spt-aki/models/eft/common/request/IBaseInteractionRequestData"; +export interface ISellScavItemsToFenceRequestData { + Action: "SellAllFromSavage"; + fromOwner: OwnerInfo; + toOwner: OwnerInfo; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/weather/IWeatherData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/weather/IWeatherData.d.ts new file mode 100644 index 0000000..b47189d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/weather/IWeatherData.d.ts @@ -0,0 +1,21 @@ +import { WindDirection } from "@spt-aki/models/enums/WindDirection"; +export interface IWeatherData { + acceleration: number; + time: string; + date: string; + weather?: IWeather; +} +export interface IWeather { + pressure: number; + temp: number; + fog: number; + rain_intensity: number; + rain: number; + wind_gustiness: number; + wind_direction: WindDirection; + wind_speed: number; + cloud: number; + time: string; + date: string; + timestamp: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/eft/wishlist/IWishlistActionData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/eft/wishlist/IWishlistActionData.d.ts new file mode 100644 index 0000000..9217864 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/eft/wishlist/IWishlistActionData.d.ts @@ -0,0 +1,4 @@ +export interface IWishlistActionData { + Action: string; + templateId: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/AccountTypes.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/AccountTypes.d.ts new file mode 100644 index 0000000..79d74d5 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/AccountTypes.d.ts @@ -0,0 +1,3 @@ +export declare enum AccountTypes { + SPT_DEVELOPER = "spt developer" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/AirdropType.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/AirdropType.d.ts new file mode 100644 index 0000000..a6f6e3a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/AirdropType.d.ts @@ -0,0 +1,6 @@ +export declare enum AirdropTypeEnum { + MIXED = "mixed", + WEAPONARMOR = "weaponarmor", + FOODMEDICAL = "foodmedical", + BARTER = "barter" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/AmmoTypes.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/AmmoTypes.d.ts new file mode 100644 index 0000000..6aa332b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/AmmoTypes.d.ts @@ -0,0 +1,218 @@ +export declare enum Grenade { + M386_HE_GRENADE = "5ede475b549eed7c6d5c18fb", + M576_MP_APERS_GRENADE = "5ede475339ee016e8c534742", + M433_HEDP_GRENADE = "5f0c892565703e5c461894e9", + M406_HE_GRENADE = "5ede4739e0350d05467f73e8", + M381_HE_GRENADE = "5ede474b0c226a66f5402622", + M441_HE_GRENADE = "5ede47405b097655935d7d16" +} +export declare enum Ammo762x51 { + M62_TRACER = "5a608bf24f39f98ffc77720e", + M80 = "58dd3ad986f77403051cba8f", + M61 = "5a6086ea4f39f99cd479502f", + BCP_FMJ = "5e023e53d4353e3302577c4c", + ULTRA_NOSLER = "5e023e88277cce2b522ff2b1", + TCW_SP = "5e023e6e34d52a55c3304f71", + M993 = "5efb0c1bd79ff02a1f5e68d9" +} +export declare enum Ammo762x54 { + SNB_GZH = "560d61e84bdc2da74d8b4571", + LPS_GZH = "5887431f2459777e1612938f", + PS_GZH = "59e77a2386f7742ee578960a", + T46M_GZH = "5e023cf8186a883be655e54f", + BT_GZH = "5e023d34e8a400319a28ed44", + BS_GZH = "5e023d48186a883be655e551", + FMJ = "64b8f7968532cf95ee0a0dbf", + SP_BT = "64b8f7b5389d7ffd620ccba2", + HP_BT = "64b8f7c241772715af0f9c3d" +} +export declare enum Ammo86x70 { + TAC_X = "5fc382b6d6fa9c00c571bbc3", + UCW = "5fc382c1016cce60e8341b20", + AP = "5fc382a9d724d907e2077dab", + FMJ = "5fc275cf85fd526b824a571a" +} +export declare enum Ammo46x30 { + AP_SX = "5ba26835d4351e0035628ff5", + ACTION_SX = "5ba26812d4351e003201fef1", + FMJ_SX = "5ba2678ad4351e44f824b344", + SUBSONIC_SX = "5ba26844d4351e00334c9475", + JSP_SX = "64b6979341772715af0f9c39" +} +export declare enum Ammo57x28 { + SS198LF = "5cc80f79e4a949033c7343b2", + R37_F = "5cc86832d7f00c000d3a6e6c", + SS190 = "5cc80f38e4a949001152b560", + R37_X = "5cc86840d7f00c002412c56c", + L191 = "5cc80f53e4a949000e1ea4f8", + SS197SR = "5cc80f8fe4a949033b0224a2", + SB193 = "5cc80f67e4a949035e43bbba" +} +export declare enum Ammo762x25 { + FMJ43 = "5735ff5c245977640e39ba7e", + LRN = "573601b42459776410737435", + P_GL = "5736026a245977644601dc61", + PST_GZH = "573603562459776430731618", + LRNPC = "573602322459776445391df1", + AKBS = "5735fdcd2459776445391d61", + PT_GZH = "573603c924597764442bd9cb" +} +export declare enum Ammo9x18 { + PM_SP8_GZH = "5737218f245977612125ba51", + P_GZH = "573719762459775a626ccbc1", + PSTM_GZH = "57371aab2459775a77142f22", + RG028_GZH = "573720e02459776143012541", + BZHT_GZH = "573718ba2459775a75491131", + PM_PSV = "5737207f24597760ff7b25f2", + SP7_GZH = "57372140245977611f70ee91", + PBM_GZH = "573719df2459775a626ccbc2", + PSO_GZH = "57371f8d24597761006c6a81", + PST_GZH = "5737201124597760fc4431f1", + PS_GS_PPO = "57371f2b24597761224311f1", + PRS_GS = "57371eb62459776125652ac1", + PPT_GZH = "57371e4124597760ff7b25f1", + PPE_GZH = "57371b192459775a9f58a5e0" +} +export declare enum Ammo9x19 { + PSO_GZH = "58864a4f2459770fcc257101", + PST_GZH = "56d59d3ad2720bdb418b4577", + GREEN_TRACER = "5c3df7d588a4501f290594e5", + RIP = "5c0d56a986f774449d5de529", + AP_63 = "5c925fa22e221601da359b7b", + LUGER_CCI = "5a3c16fe86f77452b62de32a", + PBP_GZH = "5efb0da7a29a85116f6ea05f", + QUAKEMAKER = "5efb0e16aeb21837e749c7ff", + FMJ_M882 = "64b7bbb74b75259c590fa897" +} +export declare enum Ammo9x21 { + P_GZH = "5a26abfac4a28232980eabff", + PS_GZH = "5a269f97c4a282000b151807", + PE_GZH = "5a26ac06c4a282000c5a90a8", + BT_GZH = "5a26ac0ec4a28200741e1e18" +} +export declare enum Ammo9x33R { + FMJ = "62330b3ed4dc74626d570b95", + HOLLOW_POINT = "62330bfadc5883093563729b", + SOFT_POINT = "62330c40bdd19b369e1e53d1", + JACKET_HP = "62330c18744e5e31df12f516" +} +export declare enum Ammo1143x23ACP { + MATCH_FMJ = "5e81f423763d9f754677bf2e", + HYDRA_SHOK = "5efb0fc6aeb21837e749c801", + LASERMATCH_FMJ = "5efb0d4f4bc50b58e81710f3", + AP = "5efb0cabfb3e451d70735af5", + RIP = "5ea2a8e200685063ec28c05a" +} +export declare enum Ammo545x39 { + PS_GS = "56dff3afd2720bba668b4567", + SP = "56dff421d2720b5f5a8b4567", + PPBS_GS_IGOLNIK = "5c0d5e4486f77478390952fe", + BS_7N40 = "61962b617c6c7b169525f168", + PRS_GS = "56dff338d2720bbd668b4569", + BT_GS = "56dff061d2720bb5668b4567", + US_GS = "56dff4ecd2720b5f5a8b4568", + BP_GS = "56dfef82d2720bbd668b4567", + HP = "56dff216d2720bbd668b4568", + BS_GS = "56dff026d2720bb8668b4567", + T_GS = "56dff4a2d2720bbd668b456a", + PP_GS = "56dff2ced2720bb4668b4567", + FMJ = "56dff0bed2720bb0668b4567" +} +export declare enum Ammo556x45 { + M856 = "59e68f6f86f7746c9f75e846", + MK255_MOD_0_RRLP = "59e6918f86f7746c9f75e849", + M995 = "59e690b686f7746c9f75e848", + M855A1 = "54527ac44bdc2d36668b4567", + M856A1 = "59e6906286f7746c9f75e847", + M855 = "54527a984bdc2d4e668b4567", + HP = "59e6927d86f77411da468256", + FMJ = "59e6920f86f77411d82aa167", + WARMAGEDDON = "5c0d5ae286f7741e46554302", + MK_318_MOD_0_SOST = "60194943740c5d77f6705eea", + SSA_AP = "601949593ae8f707c4608daa" +} +export declare enum Ammo762x35 { + M62_TRACER = "619636be6db0f2477964e710", + BCP_FMJ = "5fbe3ffdf8b6a877a729ea82", + AP = "5fd20ff893a8961fc660a954", + V_MAX = "6196364158ef8c428c287d9f", + WHISPER = "6196365d58ef8c428c287da1", + CBJ = "64b8725c4b75259c590fa899" +} +export declare enum Ammo762x39 { + PS_GZH = "5656d7c34bdc2d9d198b4587", + HP = "59e4d3d286f774176a36250a", + US_GZH = "59e4d24686f7741776641ac7", + T45M1_GZH = "59e4cf5286f7741778269d8a", + BP_GZH = "59e0d99486f7744a32234762", + MAI_AP = "601aa3d2b2bcb34913271e6d", + PP_GZH = "64b7af434b75259c590fa893", + SP = "64b7af734b75259c590fa895", + FMJ = "64b7af5a8532cf95ee0a0dbd" +} +export declare enum Ammo9x39 { + SP5_GS = "57a0dfb82459774d3078b56c", + BP_GS = "5c0d688c86f77413ae3407b2", + SP6_GS = "57a0e5022459774d1673f889", + SPP_GS = "5c0d668f86f7747ccb7f13b2", + PAB9_GS = "61962d879bb3d20b0946d385" +} +export declare enum Ammo366TKM { + FMJ = "59e6542b86f77411dc52a77a", + GEKSA = "59e6658b86f77411d949b250", + EKO = "59e655cb86f77411dc52a77b", + APM = "5f0596629e22f464da6bbdd9" +} +export declare enum Ammo127x55 { + PS12 = "5cadf6ddae9215051e1c23b2", + PS12B = "5cadf6eeae921500134b2799", + PS12A = "5cadf6e5ae921500113bb973" +} +export declare enum Ammo12Gauge { + BUCKSHOT_7MM = "560d5e524bdc2d25448b4571", + MAGNUM_85MM = "5d6e6806a4b936088465b17e", + RIP = "5c0d591486f7744c505b416f", + BMG_SLUG_50CAL = "5d6e68c4a4b9361b93413f79", + BUCKSHOT_525MM = "5d6e6772a4b936088465b17c", + EXPRESS_65MM = "5d6e67fba4b9361bc73bc779", + FLECHETTE = "5d6e6911a4b9361bd5780d52", + FTX_CUSTOM_LITE_SLUG = "5d6e68e6a4b9361c140bcfe0", + AP20_ARMOR_PIERCING_SLUG = "5d6e68a8a4b9360b6c0d54e2", + DUAL_SABOT_SLUG = "5d6e68dea4b9361bcc29e659", + POLEVA_6U_SLUG = "5d6e689ca4b9361bc8618956", + POLEVA_3_SLUG = "5d6e6891a4b9361bd473feea", + GRIZZLY_40_SLUG = "5d6e6869a4b9361c140bcfde", + SUPERFORMANCE_HP_SLUG = "5d6e68d1a4b93622fe60e845", + COPPER_SABOT_PREMIER_HP_SLUG = "5d6e68b3a4b9361bca7e50b5", + LEAD_SLUG = "58820d1224597753c90aeb13", + PIRANHA = "64b8ee384b75259c590fa89b" +} +export declare enum Ammo20Gauge { + BUCKSHOT_75MM = "5a38ebd9c4a282000d722a5b", + STAR_SLUG = "5d6e6a05a4b93618084f58d0", + BUCKSHOT_73MM = "5d6e69c7a4b9360b6c0d54e4", + DEVASTATOR_SLUG = "5d6e6a5fa4b93614ec501745", + BUCKSHOT_56MM = "5d6e695fa4b936359b35d852", + POLEVA_6U_SLUG = "5d6e6a42a4b9364f07165f52", + POLEVA_3_SLUG = "5d6e6a53a4b9361bd473feec", + BUCKSHOT_62MM = "5d6e69b9a4b9361bc8618958" +} +export declare enum Ammo23x75 { + SHRAPNEL10_BUCKSHOT = "5e85a9a6eacf8c039e4e2ac1", + SHRAPNEL25_BUCKSHOT = "5f647f31b6238e5dd066e196", + ZVEZDA_FLASHBANG = "5e85a9f4add9fe03027d9bf1", + BARRIKADA_SLUG = "5e85aa1a988a8701445df1f5" +} +export declare enum Ammo30x29 { + VOG_30 = "5d70e500a4b9364de70d38ce" +} +export declare enum Ammo127x108 { + B32 = "5cde8864d7f00c0010373be1", + BZT_44M = "5d2f2ab648f03550091993ca" +} +export declare enum Ammo26x75 { + GREEN_FLARE = "62389aaba63f32501b1b444f", + RED_FLARE = "62389ba9a63f32501b1b4451", + WHITE_FLARE = "62389bc9423ed1685422dc57", + YELLOW_FLARE = "62389be94d5d474bf712e709" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/BackendErrorCodes.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/BackendErrorCodes.d.ts new file mode 100644 index 0000000..2a269b5 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/BackendErrorCodes.d.ts @@ -0,0 +1,85 @@ +export declare enum BackendErrorCodes { + NONE = 0, + UNKNOWN_ERROR = 200, + NOT_AUTHORIZED = 201, + NEED_AUTHORIZATION_CODE = 209, + WRONG_AUTHORIZATION_CODE = 211, + NEED_CAPTCHA = 214, + NO_NEED_CAPTCHA = 215, + CAPTCHA_INVALID_ANSWER = 216, + CAPTCHA_FAILED = 218, + CAPTCHA_BRUTE_FORCED = 219, + NO_ROOM_IN_STASH = 223, + NICKNAME_NOT_UNIQUE = 225, + NICKNAME_NOT_VALID = 226, + UNSUPPORTED_CLIENT_VERSION = 232, + REPORT_NOT_ALLOWED = 238, + NICKNAME_IS_ABUSIVE = 241, + NICKNAME_CHANGE_TIMEOUT = 242, + NOT_ENOUGH_SPACE_TO_UNPACK = 257, + NOT_MODIFIED = 304, + HTTP_BAD_REQUEST = 400, + HTTP_NOT_AUTHORIZED = 401, + HTTP_FORBIDDEN = 403, + HTTP_NOT_FOUND = 404, + HTTP_METHOD_NOT_ALLOWED = 405, + UNKNOWN_TRADING_ERROR = 500, + HTTPNOTIMPLEMENTED = 501, + HTTPBADGATEWAY = 502, + HTTPSERVICEUNAVAILABLE = 503, + HTTPGATEWAYTIMEOUT = 504, + TRADEROUTOFMONEY = 505, + HTTPVARIANTALSONEGOTIATES = 506, + PRICECHANGED = 509, + TRADERDISABLED = 512, + ITEMHASBEENSOLD = 513, + NOTENOUGHSPACEFORMONEY = 518, + HTTPINVALIDSSLCERTIFICATE = 526, + UNKNOWNRAGFAIRERROR = 550, + UNKNOWNRAGFAIRERROR2 = 551, + UNKNOWNMATCHMAKERERROR = 600, + SESSIONPARAMETERSERROR = 601, + SESSIONLOST = 602, + SERVERNOTREGISTERED = 604, + UNKNOWNQUESTERROR = 700, + QUESTBADPARAM = 702, + QUESTNOTFOUND = 703, + QUESTISUNAVAILABLE = 704, + NOFREESPACEFORREWARDS = 705, + WRONGQUESTSTATUS = 706, + CANTCOMPLETEQUEST = 707, + UNKNOWNMAILERROR = 900, + TOOMANYFRIENDREQUESTS = 925, + UNKNOWNSCRIPTEXECUTIONERROR = 1000, + UNKNOWNREPAIRINGERROR = 1200, + UNKNOWNINSURANCEERROR = 1300, + UNKNOWNCURRENCYEXCHANGEERROR = 1400, + OFFERNOTFOUND = 1503, + NOTENOUGHSPACE = 1505, + OFFEROUTOFSTOCK = 1506, + OFFERSOLD = 1507, + RAGFAIRUNAVAILABLE = 1511, + BANNEDERRORCODE = 1513, + INSUFFICIENTNUMBERINSTOCK = 1516, + TOOMANYITEMSTOSELL = 1517, + EXAMINATIONFAILED = 22001, + ITEMALREADYEXAMINED = 22002, + UNKNOWNNGINXERROR = 9000, + PARSERESPONSEERROR = 9001, + UNKNOWNMATCHMAKERERROR2 = 503000, + UNKNOWNGROUPERROR = 502000, + GROUPREQUESTNOTFOUND = 502002, + GROUPFULL = 502004, + PLAYERALREADYINGROUP = 502005, + PLAYERNOTINGROUP = 502006, + PLAYERNOTLEADER = 502007, + CANTCHANGEREADYSTATE = 502010, + PLAYERFORBIDDENGROUPINVITES = 502011, + LEADERALREADYREADY = 502012, + GROUPSENDINVITEERROR = 502013, + PLAYERISOFFLINE = 502014, + PLAYERISNOTSEARCHINGFORGROUP = 502018, + PLAYERALREADYLOOKINGFORGAME = 503001, + PLAYERINRAID = 503002, + LIMITFORPRESETSREACHED = 504001 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/BaseClasses.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/BaseClasses.d.ts new file mode 100644 index 0000000..a9acb69 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/BaseClasses.d.ts @@ -0,0 +1,103 @@ +export declare enum BaseClasses { + WEAPON = "5422acb9af1c889c16000029", + UBGL = "55818b014bdc2ddc698b456b", + ARMOR = "5448e54d4bdc2dcc718b4568", + ARMOREDEQUIPMENT = "57bef4c42459772e8d35a53b", + REPAIR_KITS = "616eb7aea207f41933308f46", + HEADWEAR = "5a341c4086f77401f2541505", + FACECOVER = "5a341c4686f77469e155819e", + VEST = "5448e5284bdc2dcb718b4567", + BACKPACK = "5448e53e4bdc2d60728b4567", + COMPOUND = "566162e44bdc2d3f298b4573", + VISORS = "5448e5724bdc2ddf718b4568", + FOOD = "5448e8d04bdc2ddf718b4569", + GAS_BLOCK = "56ea9461d2720b67698b456f", + RAIL_COVER = "55818b1d4bdc2d5b648b4572", + DRINK = "5448e8d64bdc2dce718b4568", + BARTER_ITEM = "5448eb774bdc2d0a728b4567", + INFO = "5448ecbe4bdc2d60728b4568", + MEDKIT = "5448f39d4bdc2d0a728b4568", + DRUGS = "5448f3a14bdc2d27728b4569", + STIMULATOR = "5448f3a64bdc2d60728b456a", + MEDICAL = "5448f3ac4bdc2dce718b4569", + MEDICAL_SUPPLIES = "57864c8c245977548867e7f1", + MOD = "5448fe124bdc2da5018b4567", + FUNCTIONAL_MOD = "550aa4154bdc2dd8348b456b", + FUEL = "5d650c3e815116009f6201d2", + GEAR_MOD = "55802f3e4bdc2de7118b4584", + STOCK = "55818a594bdc2db9688b456a", + FOREGRIP = "55818af64bdc2d5b648b4570", + MASTER_MOD = "55802f4a4bdc2ddb688b4569", + MOUNT = "55818b224bdc2dde698b456f", + MUZZLE = "5448fe394bdc2d0d028b456c", + SIGHTS = "5448fe7a4bdc2d6f028b456b", + MEDS = "543be5664bdc2dd4348b4569", + MAP = "567849dd4bdc2d150f8b456e", + MONEY = "543be5dd4bdc2deb348b4569", + NIGHTVISION = "5a2c3a9486f774688b05e574", + THERMAL_VISION = "5d21f59b6dbe99052b54ef83", + KEY = "543be5e94bdc2df1348b4568", + KEY_MECHANICAL = "5c99f98d86f7745c314214b3", + KEYCARD = "5c164d2286f774194c5e69fa", + EQUIPMENT = "543be5f84bdc2dd4348b456a", + THROW_WEAPON = "543be6564bdc2df4348b4568", + FOOD_DRINK = "543be6674bdc2df1348b4569", + PISTOL = "5447b5cf4bdc2d65278b4567", + REVOLVER = "617f1ef5e8b54b0998387733", + SMG = "5447b5e04bdc2d62278b4567", + ASSAULT_RIFLE = "5447b5f14bdc2d61278b4567", + ASSAULT_CARBINE = "5447b5fc4bdc2d87278b4567", + SHOTGUN = "5447b6094bdc2dc3278b4567", + MARKSMAN_RIFLE = "5447b6194bdc2d67278b4567", + SNIPER_RIFLE = "5447b6254bdc2dc3278b4568", + MACHINE_GUN = "5447bed64bdc2d97278b4568", + GRENADE_LAUNCHER = "5447bedf4bdc2d87278b4568", + SPECIAL_WEAPON = "5447bee84bdc2dc3278b4569", + SPEC_ITEM = "5447e0e74bdc2d3c308b4567", + SPRING_DRIVEN_CYLINDER = "627a137bf21bc425b06ab944", + KNIFE = "5447e1d04bdc2dff2f8b4567", + AMMO = "5485a8684bdc2da71d8b4567", + AMMO_BOX = "543be5cb4bdc2deb348b4568", + LOOT_CONTAINER = "566965d44bdc2d814c8b4571", + MOB_CONTAINER = "5448bf274bdc2dfc2f8b456a", + SEARCHABLE_ITEM = "566168634bdc2d144c8b456c", + STASH = "566abbb64bdc2d144c8b457d", + SORTING_TABLE = "6050cac987d3f925bf016837", + LOCKABLE_CONTAINER = "5671435f4bdc2d96058b4569", + SIMPLE_CONTAINER = "5795f317245977243854e041", + INVENTORY = "55d720f24bdc2d88028b456d", + STATIONARY_CONTAINER = "567583764bdc2d98058b456e", + POCKETS = "557596e64bdc2dc2118b4571", + ARMBAND = "5b3f15d486f77432d0509248", + DOG_TAG_USEC = "59f32c3b86f77472a31742f0", + DOG_TAG_BEAR = "59f32bb586f774757e1e8442", + JEWELRY = "57864a3d24597754843f8721", + ELECTRONICS = "57864a66245977548f04a81f", + BUILDING_MATERIAL = "57864ada245977548638de91", + TOOL = "57864bb7245977548b3b66c2", + HOUSEHOLD_GOODS = "57864c322459775490116fbf", + LUBRICANT = "57864e4c24597754843f8723", + BATTERY = "57864ee62459775490116fc1", + ASSAULT_SCOPE = "55818add4bdc2d5b648b456f", + TACTICAL_COMBO = "55818b164bdc2ddc698b456c", + FLASHLIGHT = "55818b084bdc2d5b648b4571", + MAGAZINE = "5448bc234bdc2d3c308b4569", + LIGHT_LASER_DESIGNATOR = "55818b0e4bdc2dde698b456e", + FLASH_HIDER = "550aa4bf4bdc2dd6348b456b", + COLLIMATOR = "55818ad54bdc2ddc698b4569", + IRON_SIGHT = "55818ac54bdc2d5b648b456e", + COMPACT_COLLIMATOR = "55818acf4bdc2dde698b456b", + COMPENSATOR = "550aa4af4bdc2dd4348b456e", + OPTIC_SCOPE = "55818ae44bdc2dde698b456c", + SPECIAL_SCOPE = "55818aeb4bdc2ddc698b456a", + OTHER = "590c745b86f7743cc433c5f2", + SILENCER = "550aa4cd4bdc2dd8348b456c", + PORTABLE_RANGE_FINDER = "61605ddea09d851a0a0c1bbc", + ITEM = "54009119af1c881c07000029", + CYLINDER_MAGAZINE = "610720f290b75a49ff2e5e25", + AUXILARY_MOD = "5a74651486f7744e73386dd1", + BIPOD = "55818afb4bdc2dde698b456d", + HEADPHONES = "5645bcb74bdc2ded0b8b4578", + RANDOM_LOOT_CONTAINER = "62f109593b54472778797866", + STACKABLE_ITEM = "5661632d4bdc2d903d8b456b" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/BotAmount.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/BotAmount.d.ts new file mode 100644 index 0000000..9ef9cab --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/BotAmount.d.ts @@ -0,0 +1,7 @@ +export declare enum BotAmount { + AS_ONLINE = "AsOnline", + LOW = "Low", + MEDIUM = "Medium", + HIGH = "High", + HORDE = "Horde" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/BotDifficulty.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/BotDifficulty.d.ts new file mode 100644 index 0000000..80e45ad --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/BotDifficulty.d.ts @@ -0,0 +1,8 @@ +export declare enum BotDifficulty { + AS_ONLINE = "AsOnline", + EASY = "Easy", + MEDIUM = "Medium", + HARD = "Hard", + IMPOSSIBLE = "Impossible", + RANDOM = "Random" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/ConfigTypes.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/ConfigTypes.d.ts new file mode 100644 index 0000000..27340c4 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/ConfigTypes.d.ts @@ -0,0 +1,28 @@ +export declare enum ConfigTypes { + AIRDROP = "aki-airdrop", + BOT = "aki-bot", + PMC = "aki-pmc", + CORE = "aki-core", + HEALTH = "aki-health", + HIDEOUT = "aki-hideout", + HTTP = "aki-http", + IN_RAID = "aki-inraid", + INSURANCE = "aki-insurance", + INVENTORY = "aki-inventory", + ITEM = "aki-item", + LOCALE = "aki-locale", + LOCATION = "aki-location", + LOOT = "aki-loot", + MATCH = "aki-match", + PLAYERSCAV = "aki-playerscav", + PMC_CHAT_RESPONSE = "aki-pmcchatresponse", + QUEST = "aki-quest", + RAGFAIR = "aki-ragfair", + REPAIR = "aki-repair", + SCAVCASE = "aki-scavcase", + TRADER = "aki-trader", + WEATHER = "aki-weather", + SEASONAL_EVENT = "aki-seasonalevents", + LOST_ON_DEATH = "aki-lostondeath", + GIFTS = "aki-gifts" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/ContainerTypes.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/ContainerTypes.d.ts new file mode 100644 index 0000000..e6b330a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/ContainerTypes.d.ts @@ -0,0 +1,29 @@ +export declare enum CommonContainers { + AMMO_CASE = "5aafbde786f774389d0cbc0f", + DOCUMENTS_CASE = "590c60fc86f77412b13fddcf", + DOGTAG_CASE = "5c093e3486f77430cb02e593", + GRENADE_CASE = "5e2af55f86f7746d4159f07c", + INJECTOR_CASE = "619cbf7d23893217ec30b689", + ITEM_CASE = "59fb042886f7746c5005a7b2", + KEY_TOOL = "59fafd4b86f7745ca07e1232", + KEYCARD_HOLDER = "619cbf9e0a7c3a1a2731940a", + SCAV_JUNKBOX = "5b7c710788a4506dec015957", + MAGAZINE_CASE = "5c127c4486f7745625356c13", + MEDICINE_CASE = "5aafbcd986f7745e590fff23", + MONEY_CASE = "59fb016586f7746d0d4b423a", + HOLODILNICK_THERMAL_BAG = "5c093db286f7740a1b2617e3", + PISTOL_CASE = "567143bf4bdc2d1a0f8b4567", + SICC_ORGANIZATIONAL_POUCH = "5d235bb686f77443f4331278", + SIMPLE_WALLET = "5783c43d2459774bbe137486", + THICC_ITEM_CASE = "5c0a840b86f7742ffa4f2482", + THICC_WEAPON_CASE = "5b6d9ce188a4501afc1b2b25", + WEAPON_CASE = "59fb023c86f7746d0d4b423c", + WZ_WALLET = "60b0f6c058e0b0481a09ad11" +} +export declare enum SecuredContainers { + ALPHA = "544a11ac4bdc2d470e8b456a", + BETA = "5857a8b324597729ab0a0e7d", + EPSILON = "59db794186f77448bc595262", + GAMMA = "5857a8bc2459772bad15db29", + KAPPA = "5c093ca986f7740a1867ab12" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/ELocationName.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/ELocationName.d.ts new file mode 100644 index 0000000..c52ae87 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/ELocationName.d.ts @@ -0,0 +1,13 @@ +export declare enum ELocationName { + FACTORY_DAY = "factory4_day", + FACTORY_NIGHT = "factory4_night", + BIGMAP = "bigmap", + WOODS = "Woods", + SHORELINE = "Shoreline", + INTERCHANGE = "Interchange", + LIGHTHOUSE = "Lighthouse", + LABORATORY = "laboratory", + RESERVE = "RezervBase", + STREETS = "TarkovStreets", + ANY = "any" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/EquipmentBuildType.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/EquipmentBuildType.d.ts new file mode 100644 index 0000000..d98463f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/EquipmentBuildType.d.ts @@ -0,0 +1,4 @@ +export declare enum EquipmentBuildType { + CUSTOM = 0, + STANDARD = 1 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/EquipmentSlots.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/EquipmentSlots.d.ts new file mode 100644 index 0000000..35c18ff --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/EquipmentSlots.d.ts @@ -0,0 +1,16 @@ +export declare enum EquipmentSlots { + HEADWEAR = "Headwear", + EARPIECE = "Earpiece", + FACE_COVER = "FaceCover", + ARMOR_VEST = "ArmorVest", + EYEWEAR = "Eyewear", + ARM_BAND = "ArmBand", + TACTICAL_VEST = "TacticalVest", + POCKETS = "Pockets", + BACKPACK = "Backpack", + SECURED_CONTAINER = "SecuredContainer", + FIRST_PRIMARY_WEAPON = "FirstPrimaryWeapon", + SECOND_PRIMARY_WEAPON = "SecondPrimaryWeapon", + HOLSTER = "Holster", + SCABBARD = "Scabbard" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/ExitStatis.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/ExitStatis.d.ts new file mode 100644 index 0000000..78d9733 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/ExitStatis.d.ts @@ -0,0 +1,7 @@ +export declare enum ExitStatus { + SURVIVED = 0, + KILLED = 1, + LEFT = 2, + RUNNER = 3, + MISSINGINACTION = 4 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/GiftSenderType.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/GiftSenderType.d.ts new file mode 100644 index 0000000..fc695c8 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/GiftSenderType.d.ts @@ -0,0 +1,5 @@ +export declare enum GiftSenderType { + SYSTEM = "System", + TRADER = "Trader", + USER = "User" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/GiftSentResult.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/GiftSentResult.d.ts new file mode 100644 index 0000000..08930c1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/GiftSentResult.d.ts @@ -0,0 +1,6 @@ +export declare enum GiftSentResult { + FAILED_UNKNOWN = 1, + FAILED_GIFT_ALREADY_RECEIVED = 2, + FAILED_GIFT_DOESNT_EXIST = 3, + SUCCESS = 4 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/HideoutAreas.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/HideoutAreas.d.ts new file mode 100644 index 0000000..1af487a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/HideoutAreas.d.ts @@ -0,0 +1,29 @@ +export declare enum HideoutAreas { + NOTSET = -1, + VENTS = 0, + SECURITY = 1, + LAVATORY = 2, + STASH = 3, + GENERATOR = 4, + HEATING = 5, + WATER_COLLECTOR = 6, + MEDSTATION = 7, + NUTRITION_UNIT = 8, + REST_SPACE = 9, + WORKBENCH = 10, + INTEL_CENTER = 11, + SHOOTING_RANGE = 12, + LIBRARY = 13, + SCAV_CASE = 14, + ILLUMINATION = 15, + PLACE_OF_FAME = 16, + AIR_FILTERING = 17, + SOLAR_POWER = 18, + BOOZE_GENERATOR = 19, + BITCOIN_FARM = 20, + CHRISTMAS_TREE = 21, + EMERGENCY_WALL = 22, + GYM = 23, + WEAPON_STAND = 24, + WEAPON_STAND_SECONDARY = 25 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/HideoutEventActions.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/HideoutEventActions.d.ts new file mode 100644 index 0000000..556c799 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/HideoutEventActions.d.ts @@ -0,0 +1,14 @@ +export declare enum HideoutEventActions { + HIDEOUT_UPGRADE = "HideoutUpgrade", + HIDEOUT_UPGRADE_COMPLETE = "HideoutUpgradeComplete", + HIDEOUT_PUT_ITEMS_IN_AREA_SLOTS = "HideoutPutItemsInAreaSlots", + HIDEOUT_TAKE_ITEMS_FROM_AREA_SLOTS = "HideoutTakeItemsFromAreaSlots", + HIDEOUT_TOGGLE_AREA = "HideoutToggleArea", + HIDEOUT_SINGLE_PRODUCTION_START = "HideoutSingleProductionStart", + HIDEOUT_SCAV_CASE_PRODUCTION_START = "HideoutScavCaseProductionStart", + HIDEOUT_CONTINUOUS_PRODUCTION_START = "HideoutContinuousProductionStart", + HIDEOUT_TAKE_PRODUCTION = "HideoutTakeProduction", + HIDEOUT_RECORD_SHOOTING_RANGE_POINTS = "RecordShootingRangePoints", + HIDEOUT_IMPROVE_AREA = "HideoutImproveArea", + HIDEOUT_CANCEL_PRODUCTION_COMMAND = "HideoutCancelProductionCommand" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/ItemAddedResult.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/ItemAddedResult.d.ts new file mode 100644 index 0000000..8eafb90 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/ItemAddedResult.d.ts @@ -0,0 +1,7 @@ +export declare enum ItemAddedResult { + UNKNOWN = -1, + SUCCESS = 1, + NO_SPACE = 2, + NO_CONTAINERS = 3, + INCOMPATIBLE_ITEM = 4 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/ItemEventActions.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/ItemEventActions.d.ts new file mode 100644 index 0000000..f43d4ba --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/ItemEventActions.d.ts @@ -0,0 +1,27 @@ +export declare enum ItemEventActions { + MOVE = "Move", + REMOVE = "Remove", + SPLIT = "Split", + MERGE = "Merge", + TRANSFER = "Transfer", + SWAP = "Swap", + FOLD = "Fold", + TOGGLE = "Toggle", + TAG = "Tag", + BIND = "Bind", + UNBIND = "Unbind", + EXAMINE = "Examine", + READ_ENCYCLOPEDIA = "ReadEncyclopedia", + APPLY_INVENTORY_CHANGES = "ApplyInventoryChanges", + CREATE_MAP_MARKER = "CreateMapMarker", + DELETE_MAP_MARKER = "DeleteMapMarker", + EDIT_MAP_MARKER = "EditMapMarker", + OPEN_RANDOM_LOOT_CONTAINER = "OpenRandomLootContainer", + HIDEOUT_QTE_EVENT = "HideoutQuickTimeEvent", + SAVE_WEAPON_BUILD = "SaveWeaponBuild", + REMOVE_WEAPON_BUILD = "RemoveWeaponBuild", + REMOVE_BUILD = "RemoveBuild", + SAVE_EQUIPMENT_BUILD = "SaveEquipmentBuild", + REMOVE_EQUIPMENT_BUILD = "RemoveEquipmentBuild", + REDEEM_PROFILE_REWARD = "RedeemProfileReward" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/MemberCategory.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/MemberCategory.d.ts new file mode 100644 index 0000000..a81380e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/MemberCategory.d.ts @@ -0,0 +1,13 @@ +export declare enum MemberCategory { + DEFAULT = 0, + DEVELOPER = 1, + UNIQUE_ID = 2, + TRADER = 4, + GROUP = 8, + SYSTEM = 16, + CHAT_MODERATOR = 32, + CHAT_MODERATOR_WITH_PERMANENT_BAN = 64, + UNIT_TEST = 128, + SHERPA = 256, + EMISSARY = 512 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/MessageType.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/MessageType.d.ts new file mode 100644 index 0000000..1b0c649 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/MessageType.d.ts @@ -0,0 +1,16 @@ +export declare enum MessageType { + USER_MESSAGE = 1, + NPC_TRADER = 2, + AUCTION_MESSAGE = 3, + FLEAMARKET_MESSAGE = 4, + ADMIN_MESSAGE = 5, + GROUP_CHAT_MESSAGE = 6, + SYSTEM_MESSAGE = 7, + INSURANCE_RETURN = 8, + GLOBAL_CHAT = 9, + QUEST_START = 10, + QUEST_FAIL = 11, + QUEST_SUCCESS = 12, + MESSAGE_WITH_ITEMS = 13, + INITIAL_SUPPORT = 14 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/Money.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/Money.d.ts new file mode 100644 index 0000000..0d39613 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/Money.d.ts @@ -0,0 +1,5 @@ +export declare enum Money { + ROUBLES = "5449016a4bdc2d6f028b456f", + EUROS = "569668774bdc2da2298b4568", + DOLLARS = "5696686a4bdc2da3298b456a" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/PlayerRaidEndState.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/PlayerRaidEndState.d.ts new file mode 100644 index 0000000..d792259 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/PlayerRaidEndState.d.ts @@ -0,0 +1,7 @@ +export declare enum PlayerRaidEndState { + SURVIVED = "survived", + LEFT = "left", + RUNNER = "runner", + MISSING_IN_ACTION = "missinginaction", + KILLED = "killed" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/QuestRewardType.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/QuestRewardType.d.ts new file mode 100644 index 0000000..fee0ad2 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/QuestRewardType.d.ts @@ -0,0 +1,12 @@ +export declare enum QuestRewardType { + SKILL = "Skill", + EXPERIENCE = "Experience", + TRADER_STANDING = "TraderStanding", + TRADER_UNLOCK = "TraderUnlock", + ITEM = "Item", + ASSORTMENT_UNLOCK = "AssortmentUnlock", + PRODUCTIONS_SCHEME = "ProductionScheme", + TRADER_STANDING_RESET = "TraderStandingReset", + TRADER_STANDING_RESTORE = "TraderStandingRestore", + STASH_ROWS = "StashRows" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/QuestStatus.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/QuestStatus.d.ts new file mode 100644 index 0000000..e706c05 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/QuestStatus.d.ts @@ -0,0 +1,12 @@ +export declare enum QuestStatus { + Locked = 0, + AvailableForStart = 1, + Started = 2, + AvailableForFinish = 3, + Success = 4, + Fail = 5, + FailRestartable = 6, + MarkedAsFailed = 7, + Expired = 8, + AvailableAfter = 9 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/QuestTypeEnum.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/QuestTypeEnum.d.ts new file mode 100644 index 0000000..6925ac2 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/QuestTypeEnum.d.ts @@ -0,0 +1,15 @@ +export declare enum QuestTypeEnum { + PICKUP = "PickUp", + ELIMINATION = "Elimination", + DISCOVER = "Discover", + COMPLETION = "Completion", + EXPLORATION = "Exploration", + LEVELLING = "Levelling", + EXPERIENCE = "Experience", + STANDING = "Standing", + LOYALTY = "Loyalty", + MERCHANT = "Merchant", + SKILL = "Skill", + MULTI = "Multi", + WEAPON_ASSEMBLY = "WeaponAssembly" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/RagfairSort.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/RagfairSort.d.ts new file mode 100644 index 0000000..798a5e7 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/RagfairSort.d.ts @@ -0,0 +1,7 @@ +export declare enum RagfairSort { + ID = 0, + RATING = 3, + OFFER_TITLE = 4, + PRICE = 5, + EXPIRY = 6 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/RaidMode.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/RaidMode.d.ts new file mode 100644 index 0000000..e20cf3f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/RaidMode.d.ts @@ -0,0 +1,5 @@ +export declare enum RaidMode { + ONLINE = "Online", + LOCAL = "Local", + COOP = "Coop" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/SeasonalEventType.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/SeasonalEventType.d.ts new file mode 100644 index 0000000..d7cf037 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/SeasonalEventType.d.ts @@ -0,0 +1,7 @@ +export declare enum SeasonalEventType { + NONE = "None", + CHRISTMAS = "Christmas", + HALLOWEEN = "Halloween", + NEW_YEARS = "NewYears", + PROMO = "Promo" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/SkillTypes.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/SkillTypes.d.ts new file mode 100644 index 0000000..dc059a8 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/SkillTypes.d.ts @@ -0,0 +1,56 @@ +export declare enum SkillTypes { + BOT_RELOAD = "BotReload", + BOT_SOUND = "BotSound", + HIDEOUT_MANAGEMENT = "HideoutManagement", + CRAFTING = "Crafting", + METABOLISM = "Metabolism", + IMMUNITY = "Immunity", + ENDURANCE = "Endurance", + STRENGTH = "Strength", + VITALITY = "Vitality", + HEALTH = "Health", + STRESS_RESISTANCE = "StressResistance", + THROWING = "Throwing", + RECOIL_CONTROL = "RecoilControl", + COVERT_MOVEMENT = "CovertMovement", + FIELD_MEDICINE = "FieldMedicine", + SEARCH = "Search", + SNIPING = "Sniping", + PERCEPTION = "Perception", + INTELLECT = "Intellect", + ATTENTION = "Attention", + CHARISMA = "Charisma", + MEMORY = "Memory", + MELEE = "Melee", + SURGERY = "Surgery", + AIM_DRILLS = "AimDrills", + TROUBLESHOOTING = "TroubleShooting", + PRONE_MOVEMENT = "ProneMovement", + FIRST_AID = "FirstAid", + LIGHT_VESTS = "LightVests", + HEAVY_VESTS = "HeavyVests", + WEAPON_MODDING = "WeaponModding", + ADVANCED_MODDING = "AdvancedModding", + NIGHT_OPS = "NightOps", + SILENT_OPS = "SilentOps", + LOCKPICKING = "Lockpicking", + /** Also called Weapon Maintenance*/ + WEAPON_TREATMENT = "WeaponTreatment", + MAG_DRILLS = "MagDrills", + FREE_TRADING = "Freetrading", + AUCTIONS = "Auctions", + CLEAN_OPS = "Cleanoperations", + BARTER = "Barter", + SHADOW_CONNECTIONS = "Shadowconnections", + TASK_PERFORMANCE = "Taskperformance", + BEAR_ASSAULT_OPS = "BearAssaultoperations", + BEAR_AUTHORITY = "BearAuthority", + BEAR_AK_SYSTEMS = "BearAksystems", + BEAR_HEAVY_CAL = "BearHeavycaliber", + BEAR_RAW_POWER = "BearRawpower", + USEC_AR_SYSTEMS = "UsecArsystems", + USEC_DEEP_WEAPON_MOD = "UsecDeepweaponmodding_Settings", + USEC_LONG_RANGE_OPTICS = "UsecLongrangeoptics_Settings", + USEC_NEGOTIATIONS = "UsecNegotiations", + USEC_TACTICS = "UsecTactics" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/Traders.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/Traders.d.ts new file mode 100644 index 0000000..ffea725 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/Traders.d.ts @@ -0,0 +1,11 @@ +export declare enum Traders { + PRAPOR = "54cb50c76803fa8b248b4571", + THERAPIST = "54cb57776803fa99248b456e", + FENCE = "579dc571d53a0658a154fbec", + SKIER = "58330581ace78e27b8b10cee", + PEACEKEEPER = "5935c25fb3acc3127c3d8cd9", + MECHANIC = "5a7c2eca46aef81a7ca2145d", + RAGMAN = "5ac3b934156ae10c4430e83c", + JAEGER = "5c0647fdd443bc2504c2d371", + LIGHTHOUSEKEEPER = "638f541a29ffd1183d187f57" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/WeaponSkillTypes.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/WeaponSkillTypes.d.ts new file mode 100644 index 0000000..1e20a2d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/WeaponSkillTypes.d.ts @@ -0,0 +1,14 @@ +export declare enum WeaponSkillTypes { + PISTOL = "Pistol", + REVOLVER = "Revolver", + SMG = "SMG", + ASSAULT = "Assault", + SHOTGUN = "Shotgun", + SNIPER = "Sniper", + LMG = "LMG", + HMG = "HMG", + DMR = "DMR", + LAUNCHER = "Launcher", + ATTACHED_LAUNCHER = "AttachedLauncher", + MELEE = "Melee" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/WeaponTypes.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/WeaponTypes.d.ts new file mode 100644 index 0000000..867b052 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/WeaponTypes.d.ts @@ -0,0 +1,151 @@ +export declare enum Weapons127x55 { + ASH_12 = "5cadfbf7ae92152ac412eeef" +} +export declare enum Weapons86x70 { + MK_18 = "5fc22d7c187fea44d52eda44", + AXMC = "627e14b21713922ded6f2c15" +} +export declare enum Weapons9x39 { + AS_VAL = "57c44b372459772d2b39b8ce", + VSS_VINTOREZ = "57838ad32459774a17445cd2" +} +export declare enum Weapons762x54R { + SVDS = "5c46fbd72e2216398b5a8c9c", + MP_18 = "61f7c9e189e6fb1a5e3ea78d", + MOSIN_INFANTRY = "5bfd297f0db834001a669119", + MOSIN_SNIPER = "5ae08f0a5acfc408fb1398a1", + SV_98 = "55801eed4bdc2d89578b4588" +} +export declare enum Weapons762x51 { + VPO_101 = "5c501a4d2e221602b412b540", + DT_MDR_762 = "5dcbd56fdbd3d91b3e5468d5", + SA_58 = "5b0bbe4e5acfc40dc528a72d", + SCARH_BLACK = "6183afd850224f204c1da514", + SCARH_FDE = "6165ac306ef05c2ce828ef74", + HK_G28 = "6176aca650224f204c1da3fb", + M1A = "5aafa857e5b5b00018480968", + RFB = "5f2a9575926fd9352339381f", + RSASS = "5a367e5dc4a282000e49738f", + SR_25 = "5df8ce05b11454561e39243b", + DVL_10 = "588892092459774ac91d4b11", + M700 = "5bfea6e90db834001b7347f3", + T5000M = "5df24cf80dee1b22f862e9bc" +} +export declare enum Weapons366TKM { + VPO_209 = "59e6687d86f77411d949b251", + VPO_215 = "5de652c31b7e3716273428be" +} +export declare enum Weapons762x39 { + OP_SKS = "587e02ff24597743df3deaeb", + SKS = "574d967124597745970e7c94", + AK_103 = "5ac66d2e5acfc43b321d4b53", + AK_104 = "5ac66d725acfc43b321d4b60", + AKM = "59d6088586f774275f37482f", + AKMN = "5a0ec13bfcdbcb00165aa685", + AKMS = "59ff346386f77477562ff5e2", + AKMSN = "5abcbc27d8ce8700182eceeb", + MK47_MUTANT = "606587252535c57a13424cfd", + RD_704 = "628a60ae6b1d481ff772e9c8", + VPO_136 = "59e6152586f77473dc057aa1" +} +export declare enum Weapons762x35 { + MCX = "5fbcc1d9016cce60e8341ab3" +} +export declare enum Weapons556x45 { + ADAR_2_15 = "5c07c60e0db834002330051f", + AK_101 = "5ac66cb05acfc40198510a10", + AK_102 = "5ac66d015acfc400180ae6e4", + DT_MDR_556 = "5c488a752e221602b412af63", + HK_416A5 = "5bb2475ed4351e00853264e3", + HK_G36 = "623063e994fc3f7b302a9696", + M4A1 = "5447a9cd4bdc2dbd208b4567", + SCARL_BLACK = "6184055050224f204c1da540", + SCARL_FDE = "618428466ef05c2ce828f218", + TX15_DML = "5d43021ca4b9362eab4b5e25" +} +export declare enum Weapons545x39 { + AK_105 = "5ac66d9b5acfc4001633997a", + AK_74 = "5bf3e03b0db834001d2c4a9c", + AK_74M = "5ac4cd105acfc40016339859", + AK_74N = "5644bd2b4bdc2d3b4c8b4572", + AKS_74 = "5bf3e0490db83400196199af", + AKS_74N = "5ab8e9fcd8ce870019439434", + AKS_74U = "57dc2fa62459775949412633", + AKS_74UB = "5839a40f24597726f856b511", + AKS_74UN = "583990e32459771419544dd2", + SAG_AK = "628b5638ad252a16da6dd245", + SAG_AK_SHORT = "628b9c37a733087d0d7fe84b", + RPK_16 = "5beed0f50db834001c062b12" +} +export declare enum Weapons57x28FN { + FN_57_BLACK = "5d3eb3b0a4b93615055e84d2", + FN_57_FDE = "5d67abc1a4b93614ec50137f", + FN_P90 = "5cc82d76e24e8d00134b4b83" +} +export declare enum Weapons46x30HK { + MP7A1 = "5ba26383d4351e00334c93d9", + MP7A2 = "5bd70322209c4d00d7167b8f" +} +export declare enum Weapons1143x23 { + M1911A1 = "5e81c3cbac2bb513793cdc75", + M45A1 = "5f36a0e5fbf956000b716b65", + USP45 = "6193a720f8ee7e52e42109ed", + UMP45 = "5fc3e272f8b6a877a729eac5", + VECTOR45 = "5fb64bc92b1b027b1f50bcf2" +} +export declare enum Weapons9x33R { + CR_50DS = "61a4c8884f95bc3b2c5dc96f" +} +export declare enum Weapons9x21 { + SR_1MP = "59f98b4986f7746f546d2cef" +} +export declare enum Weapons9x19 { + GLOCK_17 = "5a7ae0c351dfba0017554310", + GLOCK_18C = "5b1fa9b25acfc40018633c01", + M9A3 = "5cadc190ae921500103bb3b6", + MP_443 = "576a581d2459771e7b1bc4f1", + P226R = "56d59856d2720bd8418b456a", + PL_15 = "602a9740da11d6478d5a06dc", + CR_200DS = "624c2e8614da335f1e034d8c", + MP5 = "5926bb2186f7744b1c6c6e60", + MP5K = "5d2f0d8048f0356c925bc3b0", + MP9 = "5e00903ae9dc277128008b87", + MP9_N = "5de7bd7bfd6b4e6e2276dc25", + MPX = "58948c8e86f77409493f7266", + PP_19_01 = "59984ab886f7743e98271174", + SAIGA_9 = "59f9cabd86f7743a10721f46", + STM_9 = "60339954d62c9b14ed777c06", + VECTOR_9MM = "5fc3f2d5900b1d5091531e57" +} +export declare enum Weapons9x18 { + APB = "5abccb7dd8ce87001773e277", + APS = "5a17f98cfcdbcb0980087290", + PB_SILENCED = "56e0598dd2720bb5668b45a6", + PM = "5448bd6b4bdc2dfc2f8b4569", + PM_T = "579204f224597773d619e051", + PP9_KLIN = "57f4c844245977379d5c14d1", + PP91_KEDR = "57d14d2524597714373db789", + PP91_KEDRB = "57f3c6bd24597738e730fa2f" +} +export declare enum Weapons762x25 { + TT = "571a12c42459771f627b58a0", + TT_GOLD = "5b3b713c5acfc4330140bd8d", + PPSH_41 = "5ea03f7400685063ec28bfa8" +} +export declare enum Weapons12Gauge { + M3_SUPER90 = "6259b864ebedf17603599e88", + M590A1 = "5e870397991fd70db46995c8", + M870 = "5a7828548dc32e5a9c28b516", + MP_133 = "54491c4f4bdc2db1078b4568", + MP_153 = "56dee2bdd2720bc8328b4567", + MP_155 = "606dae0ab0e443224b421bb7", + MP_43_1C = "5580223e4bdc2d1c128b457f", + MTS_255_12 = "60db29ce99594040e04c4a27", + SAIGA_12GA = "576165642459773c7a400233" +} +export declare enum Weapons20Gauge { + TOZ_106 = "5a38e6bac4a2826c6e06d79b" +} +export declare enum Weapons23x75 { + KS_23M = "5e848cc2988a8701445df1e8" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/WeatherType.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/WeatherType.d.ts new file mode 100644 index 0000000..503dc30 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/WeatherType.d.ts @@ -0,0 +1,19 @@ +export declare enum WeatherType { + CLEAR_DAY = 0, + CLEAR_WIND = 1, + CLEAR_NIGHT = 2, + PARTLY_CLOUD_DAY = 3, + PARTLY_CLOUD_NIGHT = 4, + CLEAR_FOG_DAY = 5, + CLEAR_FOG_NIGHT = 6, + CLOUD_FOG = 7, + FOG = 8, + MOSTLY_CLOUD = 9, + LIGHT_RAIN = 10, + RAIN = 11, + CLOUD_WIND = 12, + CLOUD_WIND_RAIN = 13, + FULL_CLOUD = 14, + THUNDER_CLOUD = 15, + NONE = 16 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/WildSpawnTypeNumber.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/WildSpawnTypeNumber.d.ts new file mode 100644 index 0000000..e8a2b5e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/WildSpawnTypeNumber.d.ts @@ -0,0 +1,41 @@ +export declare enum WildSpawnTypeNumber { + MARKSMAN = 0, + ASSAULT = 1, + BOSSTEST = 2, + BOSSBULLY = 3, + FOLLOWERTEST = 4, + FOLLOWERBULLY = 5, + BOSSKILLA = 6, + BOSSKOJANIY = 7, + FOLLOWERKOJANIY = 8, + PMCBOT = 9, + CURSEDASSAULT = 10, + BOSSGLUHAR = 11, + FOLLOWERGLUHARASSAULT = 12, + FOLLOWERGLUHARSECURITY = 13, + FOLLOWERGLUHARSCOUT = 14, + FOLLOWERGLUHARSNIPE = 15, + FOLLOWERSANITAR = 16, + BOSSSANITAR = 17, + TEST = 18, + ASSAULTGROUP = 19, + SECTANTWARRIOR = 20, + SECTANTPRIEST = 21, + BOSSTAGILLA = 22, + FOLLOWERTAGILLA = 23, + EXUSEC = 24, + GIFTER = 25, + BOSSKNIGHT = 26, + FOLLOWERBIGPIPE = 27, + FOLLOWERBIRDEYE = 28, + BOSSZRYACHIY = 29, + FOLLOWERZRYACHIY = 30, + BOSSBOAR = 32, + FOLLOWERBOAR = 33, + ARENAFIGHTER = 34, + ARENAFIGHTEREVENT = 35, + BOSSBOARSNIPER = 36, + CRAZYASSAULTEVENT = 37, + SPTUSEC = 38, + SPTBEAR = 39 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/enums/WindDirection.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/enums/WindDirection.d.ts new file mode 100644 index 0000000..fb30b20 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/enums/WindDirection.d.ts @@ -0,0 +1,10 @@ +export declare enum WindDirection { + EAST = 1, + NORTH = 2, + WEST = 3, + SOUTH = 4, + SE = 5, + SW = 6, + NW = 7, + NE = 8 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/external/HttpFramework.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/external/HttpFramework.d.ts new file mode 100644 index 0000000..fda8732 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/external/HttpFramework.d.ts @@ -0,0 +1,33 @@ +/// +import { IncomingMessage, ServerResponse } from "node:http"; +export type HandleFn = (_: string, req: IncomingMessage, resp: ServerResponse) => void; +/** + * Associates handlers, HTTP methods and a base url to a listener using a proxy + * @param basePath The base path + * @returns The decorator that create the listener proxy + */ +export declare const Listen: (basePath: string) => any>(Base: T) => T; +/** + * HTTP DELETE decorator + */ +export declare const Delete: (path?: string) => (target: any, propertyKey: string) => void; +/** + * HTTP GET decorator + */ +export declare const Get: (path?: string) => (target: any, propertyKey: string) => void; +/** + * HTTP OPTIONS decorator + */ +export declare const Options: (path?: string) => (target: any, propertyKey: string) => void; +/** + * HTTP PATCH decorator + */ +export declare const Patch: (path?: string) => (target: any, propertyKey: string) => void; +/** + * HTTP POST decorator + */ +export declare const Post: (path?: string) => (target: any, propertyKey: string) => void; +/** + * HTTP PUT decorator + */ +export declare const Put: (path?: string) => (target: any, propertyKey: string) => void; diff --git a/TypeScript/23CustomAbstractChatBot/types/models/external/IPostAkiLoadMod.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/external/IPostAkiLoadMod.d.ts new file mode 100644 index 0000000..cc8f7af --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/external/IPostAkiLoadMod.d.ts @@ -0,0 +1,4 @@ +import { DependencyContainer } from "@spt-aki/models/external/tsyringe"; +export interface IPostAkiLoadMod { + postAkiLoad(container: DependencyContainer): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/external/IPostAkiLoadModAsync.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/external/IPostAkiLoadModAsync.d.ts new file mode 100644 index 0000000..44700e1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/external/IPostAkiLoadModAsync.d.ts @@ -0,0 +1,4 @@ +import { DependencyContainer } from "@spt-aki/models/external/tsyringe"; +export interface IPostAkiLoadModAsync { + postAkiLoadAsync(container: DependencyContainer): Promise; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/external/IPostDBLoadMod.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/external/IPostDBLoadMod.d.ts new file mode 100644 index 0000000..f2f43ab --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/external/IPostDBLoadMod.d.ts @@ -0,0 +1,4 @@ +import { DependencyContainer } from "@spt-aki/models/external/tsyringe"; +export interface IPostDBLoadMod { + postDBLoad(container: DependencyContainer): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/external/IPostDBLoadModAsync.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/external/IPostDBLoadModAsync.d.ts new file mode 100644 index 0000000..ed06ed5 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/external/IPostDBLoadModAsync.d.ts @@ -0,0 +1,4 @@ +import { DependencyContainer } from "@spt-aki/models/external/tsyringe"; +export interface IPostDBLoadModAsync { + postDBLoadAsync(container: DependencyContainer): Promise; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/external/IPreAkiLoadMod.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/external/IPreAkiLoadMod.d.ts new file mode 100644 index 0000000..e81b660 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/external/IPreAkiLoadMod.d.ts @@ -0,0 +1,4 @@ +import { DependencyContainer } from "@spt-aki/models/external/tsyringe"; +export interface IPreAkiLoadMod { + preAkiLoad(container: DependencyContainer): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/external/IPreAkiLoadModAsync.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/external/IPreAkiLoadModAsync.d.ts new file mode 100644 index 0000000..89a3e67 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/external/IPreAkiLoadModAsync.d.ts @@ -0,0 +1,4 @@ +import { DependencyContainer } from "@spt-aki/models/external/tsyringe"; +export interface IPreAkiLoadModAsync { + preAkiLoadAsync(container: DependencyContainer): Promise; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/external/tsyringe.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/external/tsyringe.d.ts new file mode 100644 index 0000000..56a7e58 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/external/tsyringe.d.ts @@ -0,0 +1,2 @@ +import type { DependencyContainer } from "tsyringe"; +export type { DependencyContainer }; diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/bindings/Route.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/bindings/Route.d.ts new file mode 100644 index 0000000..1b29d7d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/bindings/Route.d.ts @@ -0,0 +1,3 @@ +export interface IRoute { + aki: any; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/bots/BotGenerationDetails.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/bots/BotGenerationDetails.d.ts new file mode 100644 index 0000000..26571a2 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/bots/BotGenerationDetails.d.ts @@ -0,0 +1,18 @@ +export interface BotGenerationDetails { + /** Should the bot be generated as a PMC */ + isPmc: boolean; + /** assault/pmcBot etc */ + role: string; + /** Side of bot */ + side: string; + /** Active players current level */ + playerLevel: number; + /** Delta of highest level of bot */ + botRelativeLevelDeltaMax: number; + /** How many to create and store */ + botCountToGenerate: number; + /** Desired difficulty of the bot */ + botDifficulty: string; + /** Will the generated bot be a player scav */ + isPlayerScav: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/bots/GenerateWeaponResult.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/bots/GenerateWeaponResult.d.ts new file mode 100644 index 0000000..f28d052 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/bots/GenerateWeaponResult.d.ts @@ -0,0 +1,10 @@ +import { Mods } from "@spt-aki/models/eft/common/tables/IBotType"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +export declare class GenerateWeaponResult { + weapon: Item[]; + chosenAmmoTpl: string; + chosenUbglAmmoTpl: string; + weaponMods: Mods; + weaponTemplate: ITemplateItem; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/bots/IBotLootCache.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/bots/IBotLootCache.d.ts new file mode 100644 index 0000000..58a1bd1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/bots/IBotLootCache.d.ts @@ -0,0 +1,23 @@ +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +export interface IBotLootCache { + backpackLoot: ITemplateItem[]; + pocketLoot: ITemplateItem[]; + vestLoot: ITemplateItem[]; + combinedPoolLoot: ITemplateItem[]; + specialItems: ITemplateItem[]; + healingItems: ITemplateItem[]; + drugItems: ITemplateItem[]; + stimItems: ITemplateItem[]; + grenadeItems: ITemplateItem[]; +} +export declare enum LootCacheType { + SPECIAL = "Special", + BACKPACK = "Backpack", + POCKET = "Pocket", + VEST = "Vest", + COMBINED = "Combined", + HEALING_ITEMS = "HealingItems", + DRUG_ITEMS = "DrugItems", + STIM_ITEMS = "StimItems", + GRENADE_ITEMS = "GrenadeItems" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IBotCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IBotCallbacks.d.ts new file mode 100644 index 0000000..02f444e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IBotCallbacks.d.ts @@ -0,0 +1,10 @@ +import { IGenerateBotsRequestData } from "@spt-aki/models/eft/bot/IGenerateBotsRequestData"; +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IBotBase } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +export interface IBotCallbacks { + getBotLimit(url: string, info: IEmptyRequestData, sessionID: string): string; + getBotDifficulty(url: string, info: IEmptyRequestData, sessionID: string): string; + generateBots(url: string, info: IGenerateBotsRequestData, sessionID: string): IGetBodyResponseData; + getBotCap(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IBundleCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IBundleCallbacks.d.ts new file mode 100644 index 0000000..7e37c6e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IBundleCallbacks.d.ts @@ -0,0 +1,5 @@ +export interface IBundleCallbacks { + sendBundle(sessionID: string, req: any, resp: any, body: any): any; + getBundles(url: string, info: any, sessionID: string): string; + getBundle(url: string, info: any, sessionID: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ICustomizationCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ICustomizationCallbacks.d.ts new file mode 100644 index 0000000..f4f8877 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ICustomizationCallbacks.d.ts @@ -0,0 +1,12 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { ISuit } from "@spt-aki/models/eft/common/tables/ITrader"; +import { IBuyClothingRequestData } from "@spt-aki/models/eft/customization/IBuyClothingRequestData"; +import { IWearClothingRequestData } from "@spt-aki/models/eft/customization/IWearClothingRequestData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export interface ICustomizationCallbacks { + getSuits(url: string, info: any, sessionID: string): IGetBodyResponseData; + getTraderSuits(url: string, info: any, sessionID: string): IGetBodyResponseData; + wearClothing(pmcData: IPmcData, body: IWearClothingRequestData, sessionID: string): IItemEventRouterResponse; + buyClothing(pmcData: IPmcData, body: IBuyClothingRequestData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IDataCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IDataCallbacks.d.ts new file mode 100644 index 0000000..0651dce --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IDataCallbacks.d.ts @@ -0,0 +1,23 @@ +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IGlobals } from "@spt-aki/models/eft/common/IGlobals"; +import { IHideoutArea } from "@spt-aki/models/eft/hideout/IHideoutArea"; +import { IHideoutProduction } from "@spt-aki/models/eft/hideout/IHideoutProduction"; +import { IHideoutScavCase } from "@spt-aki/models/eft/hideout/IHideoutScavCase"; +import { IHideoutSettingsBase } from "@spt-aki/models/eft/hideout/IHideoutSettingsBase"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { ISettingsBase } from "@spt-aki/models/spt/server/ISettingsBase"; +export interface IDataCallbacks { + getSettings(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getGlobals(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getTemplateItems(url: string, info: IEmptyRequestData, sessionID: string): string; + getTemplateHandbook(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getTemplateSuits(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getTemplateCharacter(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getHideoutSettings(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getHideoutAreas(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + gethideoutProduction(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getHideoutScavcase(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getLocalesLanguages(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData>; + getLocalesMenu(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getLocalesGlobal(url: string, info: IEmptyRequestData, sessionID: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IDialogueCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IDialogueCallbacks.d.ts new file mode 100644 index 0000000..0cc835b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IDialogueCallbacks.d.ts @@ -0,0 +1,34 @@ +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IFriendRequestData } from "@spt-aki/models/eft/dialog/IFriendRequestData"; +import { IGetAllAttachmentsRequestData } from "@spt-aki/models/eft/dialog/IGetAllAttachmentsRequestData"; +import { IGetAllAttachmentsResponse } from "@spt-aki/models/eft/dialog/IGetAllAttachmentsResponse"; +import { IGetChatServerListRequestData } from "@spt-aki/models/eft/dialog/IGetChatServerListRequestData"; +import { IGetFriendListDataResponse } from "@spt-aki/models/eft/dialog/IGetFriendListDataResponse"; +import { IGetMailDialogInfoRequestData } from "@spt-aki/models/eft/dialog/IGetMailDialogInfoRequestData"; +import { IGetMailDialogListRequestData } from "@spt-aki/models/eft/dialog/IGetMailDialogListRequestData"; +import { IGetMailDialogViewRequestData } from "@spt-aki/models/eft/dialog/IGetMailDialogViewRequestData"; +import { IGetMailDialogViewResponseData } from "@spt-aki/models/eft/dialog/IGetMailDialogViewResponseData"; +import { IPinDialogRequestData } from "@spt-aki/models/eft/dialog/IPinDialogRequestData"; +import { IRemoveDialogRequestData } from "@spt-aki/models/eft/dialog/IRemoveDialogRequestData"; +import { ISendMessageRequest } from "@spt-aki/models/eft/dialog/ISendMessageRequest"; +import { ISetDialogReadRequestData } from "@spt-aki/models/eft/dialog/ISetDialogReadRequestData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { INullResponseData } from "@spt-aki/models/eft/httpResponse/INullResponseData"; +import { DialogueInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +export interface IDialogueCallbacks { + getFriendList(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getChatServerList(url: string, info: IGetChatServerListRequestData, sessionID: string): IGetBodyResponseData; + getMailDialogList(url: string, info: IGetMailDialogListRequestData, sessionID: string): IGetBodyResponseData; + getMailDialogView(url: string, info: IGetMailDialogViewRequestData, sessionID: string): IGetBodyResponseData; + getMailDialogInfo(url: string, info: IGetMailDialogInfoRequestData, sessionID: string): IGetBodyResponseData; + removeDialog(url: string, info: IRemoveDialogRequestData, sessionID: string): IGetBodyResponseData; + pinDialog(url: string, info: IPinDialogRequestData, sessionID: string): IGetBodyResponseData; + unpinDialog(url: string, info: IPinDialogRequestData, sessionID: string): IGetBodyResponseData; + setRead(url: string, info: ISetDialogReadRequestData, sessionID: string): IGetBodyResponseData; + getAllAttachments(url: string, info: IGetAllAttachmentsRequestData, sessionID: string): IGetBodyResponseData; + listOutbox(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + listInbox(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + sendFriendRequest(url: string, request: IFriendRequestData, sessionID: string): INullResponseData; + sendMessage(url: string, request: ISendMessageRequest, sessionID: string): IGetBodyResponseData; + update(): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IGameCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IGameCallbacks.d.ts new file mode 100644 index 0000000..324ec31 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IGameCallbacks.d.ts @@ -0,0 +1,16 @@ +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IGameConfigResponse } from "@spt-aki/models/eft/game/IGameConfigResponse"; +import { IGameEmptyCrcRequestData } from "@spt-aki/models/eft/game/IGameEmptyCrcRequestData"; +import { IVersionValidateRequestData } from "@spt-aki/models/eft/game/IVersionValidateRequestData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { INullResponseData } from "@spt-aki/models/eft/httpResponse/INullResponseData"; +export interface IGameCallbacks { + versionValidate(url: string, info: IVersionValidateRequestData, sessionID: string): INullResponseData; + gameStart(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + gameLogout(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getGameConfig(url: string, info: IGameEmptyCrcRequestData, sessionID: string): IGetBodyResponseData; + getServer(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + validateGameVersion(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + gameKeepalive(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getVersion(url: string, info: IEmptyRequestData, sessionID: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IHandbookCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IHandbookCallbacks.d.ts new file mode 100644 index 0000000..5857a3e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IHandbookCallbacks.d.ts @@ -0,0 +1,3 @@ +export interface IHandbookCallbacks { + load(): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IHealthCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IHealthCallbacks.d.ts new file mode 100644 index 0000000..0ea81a2 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IHealthCallbacks.d.ts @@ -0,0 +1,13 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IHealthTreatmentRequestData } from "@spt-aki/models/eft/health/IHealthTreatmentRequestData"; +import { IOffraidEatRequestData } from "@spt-aki/models/eft/health/IOffraidEatRequestData"; +import { IOffraidHealRequestData } from "@spt-aki/models/eft/health/IOffraidHealRequestData"; +import { ISyncHealthRequestData } from "@spt-aki/models/eft/health/ISyncHealthRequestData"; +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +export interface IHealthCallbacks { + onLoad(sessionID: string): IAkiProfile; + syncHealth(url: string, info: ISyncHealthRequestData, sessionID: string): any; + offraidEat(pmcData: IPmcData, body: IOffraidEatRequestData, sessionID: string): any; + offraidHeal(pmcData: IPmcData, body: IOffraidHealRequestData, sessionID: string): any; + healthTreatment(pmcData: IPmcData, info: IHealthTreatmentRequestData, sessionID: string): any; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IHideoutCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IHideoutCallbacks.d.ts new file mode 100644 index 0000000..feda12e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IHideoutCallbacks.d.ts @@ -0,0 +1,23 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IHideoutContinuousProductionStartRequestData } from "@spt-aki/models/eft/hideout/IHideoutContinuousProductionStartRequestData"; +import { IHideoutPutItemInRequestData } from "@spt-aki/models/eft/hideout/IHideoutPutItemInRequestData"; +import { IHideoutScavCaseStartRequestData } from "@spt-aki/models/eft/hideout/IHideoutScavCaseStartRequestData"; +import { IHideoutSingleProductionStartRequestData } from "@spt-aki/models/eft/hideout/IHideoutSingleProductionStartRequestData"; +import { IHideoutTakeItemOutRequestData } from "@spt-aki/models/eft/hideout/IHideoutTakeItemOutRequestData"; +import { IHideoutTakeProductionRequestData } from "@spt-aki/models/eft/hideout/IHideoutTakeProductionRequestData"; +import { IHideoutToggleAreaRequestData } from "@spt-aki/models/eft/hideout/IHideoutToggleAreaRequestData"; +import { IHideoutUpgradeCompleteRequestData } from "@spt-aki/models/eft/hideout/IHideoutUpgradeCompleteRequestData"; +import { IHideoutUpgradeRequestData } from "@spt-aki/models/eft/hideout/IHideoutUpgradeRequestData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export interface IHideoutCallbacks { + upgrade(pmcData: IPmcData, body: IHideoutUpgradeRequestData, sessionID: string): IItemEventRouterResponse; + upgradeComplete(pmcData: IPmcData, body: IHideoutUpgradeCompleteRequestData, sessionID: string): IItemEventRouterResponse; + putItemsInAreaSlots(pmcData: IPmcData, body: IHideoutPutItemInRequestData, sessionID: string): IItemEventRouterResponse; + takeItemsFromAreaSlots(pmcData: IPmcData, body: IHideoutTakeItemOutRequestData, sessionID: string): IItemEventRouterResponse; + toggleArea(pmcData: IPmcData, body: IHideoutToggleAreaRequestData, sessionID: string): IItemEventRouterResponse; + singleProductionStart(pmcData: IPmcData, body: IHideoutSingleProductionStartRequestData, sessionID: string): IItemEventRouterResponse; + scavCaseProductionStart(pmcData: IPmcData, body: IHideoutScavCaseStartRequestData, sessionID: string): IItemEventRouterResponse; + continuousProductionStart(pmcData: IPmcData, body: IHideoutContinuousProductionStartRequestData, sessionID: string): IItemEventRouterResponse; + takeProduction(pmcData: IPmcData, body: IHideoutTakeProductionRequestData, sessionID: string): IItemEventRouterResponse; + update(timeSinceLastRun: number): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IHttpCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IHttpCallbacks.d.ts new file mode 100644 index 0000000..3ecd945 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IHttpCallbacks.d.ts @@ -0,0 +1,5 @@ +export interface IHttpCallbacks { + load(): void; + sendImage(sessionID: string, req: any, resp: any, body: any): void; + getImage(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IInraidCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IInraidCallbacks.d.ts new file mode 100644 index 0000000..4754c0c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IInraidCallbacks.d.ts @@ -0,0 +1,14 @@ +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { INullResponseData } from "@spt-aki/models/eft/httpResponse/INullResponseData"; +import { IRegisterPlayerRequestData } from "@spt-aki/models/eft/inRaid/IRegisterPlayerRequestData"; +import { ISaveProgressRequestData } from "@spt-aki/models/eft/inRaid/ISaveProgressRequestData"; +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +export interface IInraidCallbacks { + onLoad(sessionID: string): IAkiProfile; + registerPlayer(url: string, info: IRegisterPlayerRequestData, sessionID: string): INullResponseData; + saveProgress(url: string, info: ISaveProgressRequestData, sessionID: string): INullResponseData; + getRaidEndState(): string; + getRaidMenuSettings(url: string, info: IEmptyRequestData, sessionID: string): string; + getWeaponDurability(url: string, info: any, sessionID: string): string; + getAirdropConfig(url: string, info: any, sessionID: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IInsuranceCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IInsuranceCallbacks.d.ts new file mode 100644 index 0000000..649039a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IInsuranceCallbacks.d.ts @@ -0,0 +1,10 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IGetInsuranceCostRequestData } from "@spt-aki/models/eft/insurance/IGetInsuranceCostRequestData"; +import { IInsureRequestData } from "@spt-aki/models/eft/insurance/IInsureRequestData"; +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +export interface IInsuranceCallbacks { + onLoad(sessionID: string): IAkiProfile; + getInsuranceCost(url: string, info: IGetInsuranceCostRequestData, sessionID: string): any; + insure(pmcData: IPmcData, body: IInsureRequestData, sessionID: string): any; + update(secondsSinceLastRun: number): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IInventoryCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IInventoryCallbacks.d.ts new file mode 100644 index 0000000..7abe819 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IInventoryCallbacks.d.ts @@ -0,0 +1,36 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IInventoryBindRequestData } from "@spt-aki/models/eft/inventory/IInventoryBindRequestData"; +import { IInventoryCreateMarkerRequestData } from "@spt-aki/models/eft/inventory/IInventoryCreateMarkerRequestData"; +import { IInventoryDeleteMarkerRequestData } from "@spt-aki/models/eft/inventory/IInventoryDeleteMarkerRequestData"; +import { IInventoryEditMarkerRequestData } from "@spt-aki/models/eft/inventory/IInventoryEditMarkerRequestData"; +import { IInventoryExamineRequestData } from "@spt-aki/models/eft/inventory/IInventoryExamineRequestData"; +import { IInventoryFoldRequestData } from "@spt-aki/models/eft/inventory/IInventoryFoldRequestData"; +import { IInventoryMergeRequestData } from "@spt-aki/models/eft/inventory/IInventoryMergeRequestData"; +import { IInventoryMoveRequestData } from "@spt-aki/models/eft/inventory/IInventoryMoveRequestData"; +import { IInventoryReadEncyclopediaRequestData } from "@spt-aki/models/eft/inventory/IInventoryReadEncyclopediaRequestData"; +import { IInventoryRemoveRequestData } from "@spt-aki/models/eft/inventory/IInventoryRemoveRequestData"; +import { IInventorySortRequestData } from "@spt-aki/models/eft/inventory/IInventorySortRequestData"; +import { IInventorySplitRequestData } from "@spt-aki/models/eft/inventory/IInventorySplitRequestData"; +import { IInventorySwapRequestData } from "@spt-aki/models/eft/inventory/IInventorySwapRequestData"; +import { IInventoryTagRequestData } from "@spt-aki/models/eft/inventory/IInventoryTagRequestData"; +import { IInventoryToggleRequestData } from "@spt-aki/models/eft/inventory/IInventoryToggleRequestData"; +import { IInventoryTransferRequestData } from "@spt-aki/models/eft/inventory/IInventoryTransferRequestData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export interface IInventoryCallbacks { + moveItem(pmcData: IPmcData, body: IInventoryMoveRequestData, sessionID: string): IItemEventRouterResponse; + removeItem(pmcData: IPmcData, body: IInventoryRemoveRequestData, sessionID: string): IItemEventRouterResponse; + splitItem(pmcData: IPmcData, body: IInventorySplitRequestData, sessionID: string): IItemEventRouterResponse; + mergeItem(pmcData: IPmcData, body: IInventoryMergeRequestData, sessionID: string): IItemEventRouterResponse; + transferItem(pmcData: IPmcData, body: IInventoryTransferRequestData, sessionID: string): IItemEventRouterResponse; + swapItem(pmcData: IPmcData, body: IInventorySwapRequestData, sessionID: string): IItemEventRouterResponse; + foldItem(pmcData: IPmcData, body: IInventoryFoldRequestData, sessionID: string): IItemEventRouterResponse; + toggleItem(pmcData: IPmcData, body: IInventoryToggleRequestData, sessionID: string): IItemEventRouterResponse; + tagItem(pmcData: IPmcData, body: IInventoryTagRequestData, sessionID: string): IItemEventRouterResponse; + bindItem(pmcData: IPmcData, body: IInventoryBindRequestData, sessionID: string): IItemEventRouterResponse; + examineItem(pmcData: IPmcData, body: IInventoryExamineRequestData, sessionID: string): IItemEventRouterResponse; + readEncyclopedia(pmcData: IPmcData, body: IInventoryReadEncyclopediaRequestData, sessionID: string): IItemEventRouterResponse; + sortInventory(pmcData: IPmcData, body: IInventorySortRequestData, sessionID: string): IItemEventRouterResponse; + createMapMarker(pmcData: IPmcData, body: IInventoryCreateMarkerRequestData, sessionID: string): IItemEventRouterResponse; + deleteMapMarker(pmcData: IPmcData, body: IInventoryDeleteMarkerRequestData, sessionID: string): IItemEventRouterResponse; + editMapMarker(pmcData: IPmcData, body: IInventoryEditMarkerRequestData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IItemEventCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IItemEventCallbacks.d.ts new file mode 100644 index 0000000..6778e54 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IItemEventCallbacks.d.ts @@ -0,0 +1,6 @@ +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { IItemEventRouterRequest } from "@spt-aki/models/eft/itemEvent/IItemEventRouterRequest"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export interface IItemEventCallbacks { + handleEvents(url: string, info: IItemEventRouterRequest, sessionID: string): IGetBodyResponseData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ILauncherCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ILauncherCallbacks.d.ts new file mode 100644 index 0000000..d37e58c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ILauncherCallbacks.d.ts @@ -0,0 +1,20 @@ +import { IChangeRequestData } from "@spt-aki/models/eft/launcher/IChangeRequestData"; +import { IGetMiniProfileRequestData } from "@spt-aki/models/eft/launcher/IGetMiniProfileRequestData"; +import { ILoginRequestData } from "@spt-aki/models/eft/launcher/ILoginRequestData"; +import { IRegisterData } from "@spt-aki/models/eft/launcher/IRegisterData"; +import { IRemoveProfileData } from "@spt-aki/models/eft/launcher/IRemoveProfileData"; +export interface ILauncherCallbacks { + connect(): string; + login(url: string, info: ILoginRequestData, sessionID: string): string; + register(url: string, info: IRegisterData, sessionID: string): "FAILED" | "OK"; + get(url: string, info: ILoginRequestData, sessionID: string): string; + changeUsername(url: string, info: IChangeRequestData, sessionID: string): "FAILED" | "OK"; + changePassword(url: string, info: IChangeRequestData, sessionID: string): "FAILED" | "OK"; + wipe(url: string, info: IRegisterData, sessionID: string): "FAILED" | "OK"; + getMiniProfile(url: string, info: IGetMiniProfileRequestData, sessionID: string): string; + getAllMiniProfiles(url: string, info: any, sessionID: string): string; + getServerVersion(): string; + ping(url: string, info: any, sessionID: string): string; + removeProfile(url: string, info: IRemoveProfileData, sessionID: string): string; + getCompatibleTarkovVersion(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ILocationCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ILocationCallbacks.d.ts new file mode 100644 index 0000000..a031a29 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ILocationCallbacks.d.ts @@ -0,0 +1,8 @@ +import { ILocationBase } from "@spt-aki/models/eft/common/ILocationBase"; +import { ILocationsGenerateAllResponse } from "@spt-aki/models/eft/common/ILocationsSourceDestinationBase"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { IGetLocationRequestData } from "@spt-aki/models/eft/location/IGetLocationRequestData"; +export interface ILocationCallbacks { + getLocationData(url: string, info: any, sessionID: string): IGetBodyResponseData; + getLocation(url: string, info: IGetLocationRequestData, sessionID: string): IGetBodyResponseData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IModCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IModCallbacks.d.ts new file mode 100644 index 0000000..1a4cd7b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IModCallbacks.d.ts @@ -0,0 +1,6 @@ +export interface IModCallbacks { + load(): void; + sendBundle(sessionID: string, req: any, resp: any, body: any): void; + getBundles(url: string, info: any, sessionID: string): string; + getBundle(url: string, info: any, sessionID: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/INoteCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/INoteCallbacks.d.ts new file mode 100644 index 0000000..aec8099 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/INoteCallbacks.d.ts @@ -0,0 +1,8 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { INoteActionData } from "@spt-aki/models/eft/notes/INoteActionData"; +export interface INoteCallbacks { + addNote(pmcData: IPmcData, body: INoteActionData, sessionID: string): IItemEventRouterResponse; + editNote(pmcData: IPmcData, body: INoteActionData, sessionID: string): IItemEventRouterResponse; + deleteNote(pmcData: IPmcData, body: INoteActionData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/INotifierCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/INotifierCallbacks.d.ts new file mode 100644 index 0000000..60b3695 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/INotifierCallbacks.d.ts @@ -0,0 +1,17 @@ +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { INotifierChannel } from "@spt-aki/models/eft/notifier/INotifier"; +import { ISelectProfileRequestData } from "@spt-aki/models/eft/notifier/ISelectProfileRequestData"; +export interface INotifierCallbacks { + /** + * If we don't have anything to send, it's ok to not send anything back + * because notification requests can be long-polling. In fact, we SHOULD wait + * until we actually have something to send because otherwise we'd spam the client + * and the client would abort the connection due to spam. + */ + sendNotification(sessionID: string, req: any, resp: any, data: any): void; + getNotifier(url: string, info: any, sessionID: string): IGetBodyResponseData; + createNotifierChannel(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + selectProfile(url: string, info: ISelectProfileRequestData, sessionID: string): IGetBodyResponseData; + notify(url: string, info: any, sessionID: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IPresetBuildCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IPresetBuildCallbacks.d.ts new file mode 100644 index 0000000..886cc9c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IPresetBuildCallbacks.d.ts @@ -0,0 +1,12 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IPresetBuildActionRequestData } from "@spt-aki/models/eft/presetBuild/IPresetBuildActionRequestData"; +import { IWeaponBuild } from "@spt-aki/models/eft/profile/IAkiProfile"; +export interface IPresetBuildCallbacks { + getHandbookUserlist(url: string, info: any, sessionID: string): IGetBodyResponseData; + saveWeaponBuild(pmcData: IPmcData, body: IPresetBuildActionRequestData, sessionID: string): IItemEventRouterResponse; + removeWeaponBuild(pmcData: IPmcData, body: IPresetBuildActionRequestData, sessionID: string): IItemEventRouterResponse; + saveEquipmentBuild(pmcData: IPmcData, body: IPresetBuildActionRequestData, sessionID: string): IItemEventRouterResponse; + removeEquipmentBuild(pmcData: IPmcData, body: IPresetBuildActionRequestData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IPresetCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IPresetCallbacks.d.ts new file mode 100644 index 0000000..4169857 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IPresetCallbacks.d.ts @@ -0,0 +1,3 @@ +export interface IPresetCallbacks { + load(): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IProfileCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IProfileCallbacks.d.ts new file mode 100644 index 0000000..f05532a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IProfileCallbacks.d.ts @@ -0,0 +1,21 @@ +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { INullResponseData } from "@spt-aki/models/eft/httpResponse/INullResponseData"; +import { IProfileChangeNicknameRequestData } from "@spt-aki/models/eft/profile/IProfileChangeNicknameRequestData"; +import { IProfileChangeVoiceRequestData } from "@spt-aki/models/eft/profile/IProfileChangeVoiceRequestData"; +import { IProfileCreateRequestData } from "@spt-aki/models/eft/profile/IProfileCreateRequestData"; +import { ISearchFriendRequestData } from "@spt-aki/models/eft/profile/ISearchFriendRequestData"; +import { ISearchFriendResponse } from "@spt-aki/models/eft/profile/ISearchFriendResponse"; +import { IValidateNicknameRequestData } from "@spt-aki/models/eft/profile/IValidateNicknameRequestData"; +export interface IProfileCallbacks { + onLoad(sessionID: string): any; + createProfile(url: string, info: IProfileCreateRequestData, sessionID: string): IGetBodyResponseData; + getProfileData(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + regenerateScav(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + changeVoice(url: string, info: IProfileChangeVoiceRequestData, sessionID: string): INullResponseData; + changeNickname(url: string, info: IProfileChangeNicknameRequestData, sessionID: string): IGetBodyResponseData; + validateNickname(url: string, info: IValidateNicknameRequestData, sessionID: string): IGetBodyResponseData; + getReservedNickname(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getProfileStatus(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + searchFriend(url: string, info: ISearchFriendRequestData, sessionID: string): IGetBodyResponseData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IQuestCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IQuestCallbacks.d.ts new file mode 100644 index 0000000..546191f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IQuestCallbacks.d.ts @@ -0,0 +1,19 @@ +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IQuest } from "@spt-aki/models/eft/common/tables/IQuest"; +import { IPmcDataRepeatableQuest } from "@spt-aki/models/eft/common/tables/IRepeatableQuests"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IAcceptQuestRequestData } from "@spt-aki/models/eft/quests/IAcceptQuestRequestData"; +import { ICompleteQuestRequestData } from "@spt-aki/models/eft/quests/ICompleteQuestRequestData"; +import { IHandoverQuestRequestData } from "@spt-aki/models/eft/quests/IHandoverQuestRequestData"; +import { IListQuestsRequestData } from "@spt-aki/models/eft/quests/IListQuestsRequestData"; +import { IRepeatableQuestChangeRequest } from "@spt-aki/models/eft/quests/IRepeatableQuestChangeRequest"; +export interface IQuestCallbacks { + changeRepeatableQuest(pmcData: IPmcData, body: IRepeatableQuestChangeRequest, sessionID: string): IItemEventRouterResponse; + acceptQuest(pmcData: IPmcData, body: IAcceptQuestRequestData, sessionID: string): IItemEventRouterResponse; + completeQuest(pmcData: IPmcData, body: ICompleteQuestRequestData, sessionID: string): IItemEventRouterResponse; + handoverQuest(pmcData: IPmcData, body: IHandoverQuestRequestData, sessionID: string): IItemEventRouterResponse; + listQuests(url: string, info: IListQuestsRequestData, sessionID: string): IGetBodyResponseData; + activityPeriods(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IRagfairCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IRagfairCallbacks.d.ts new file mode 100644 index 0000000..1157349 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IRagfairCallbacks.d.ts @@ -0,0 +1,21 @@ +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IAddOfferRequestData } from "@spt-aki/models/eft/ragfair/IAddOfferRequestData"; +import { IExtendOfferRequestData } from "@spt-aki/models/eft/ragfair/IExtendOfferRequestData"; +import { IGetItemPriceResult } from "@spt-aki/models/eft/ragfair/IGetItemPriceResult"; +import { IGetMarketPriceRequestData } from "@spt-aki/models/eft/ragfair/IGetMarketPriceRequestData"; +import { IRemoveOfferRequestData } from "@spt-aki/models/eft/ragfair/IRemoveOfferRequestData"; +import { ISearchRequestData } from "@spt-aki/models/eft/ragfair/ISearchRequestData"; +export interface IRagfairCallbacks { + load(): void; + search(url: string, info: ISearchRequestData, sessionID: string): IGetBodyResponseData; + getMarketPrice(url: string, info: IGetMarketPriceRequestData, sessionID: string): IGetBodyResponseData; + getItemPrices(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + addOffer(pmcData: IPmcData, info: IAddOfferRequestData, sessionID: string): IItemEventRouterResponse; + removeOffer(pmcData: IPmcData, info: IRemoveOfferRequestData, sessionID: string): IItemEventRouterResponse; + extendOffer(pmcData: IPmcData, info: IExtendOfferRequestData, sessionID: string): IItemEventRouterResponse; + update(timeSinceLastRun: number): boolean; + updatePlayer(timeSinceLastRun: number): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IRepairCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IRepairCallbacks.d.ts new file mode 100644 index 0000000..b83fde8 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IRepairCallbacks.d.ts @@ -0,0 +1,8 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IRepairActionDataRequest } from "@spt-aki/models/eft/repair/IRepairActionDataRequest"; +import { ITraderRepairActionDataRequest } from "@spt-aki/models/eft/repair/ITraderRepairActionDataRequest"; +export interface IRepairCallbacks { + traderRepair(pmcData: IPmcData, body: ITraderRepairActionDataRequest, sessionID: string): IItemEventRouterResponse; + repair(pmcData: IPmcData, body: IRepairActionDataRequest, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ISaveCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ISaveCallbacks.d.ts new file mode 100644 index 0000000..1ad3b82 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ISaveCallbacks.d.ts @@ -0,0 +1,4 @@ +export interface ISaveCallbacks { + load(): void; + update(secondsSinceLastRun: number): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ITradeCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ITradeCallbacks.d.ts new file mode 100644 index 0000000..b6daa5d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ITradeCallbacks.d.ts @@ -0,0 +1,8 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IProcessBaseTradeRequestData } from "@spt-aki/models/eft/trade/IProcessBaseTradeRequestData"; +import { IProcessRagfairTradeRequestData } from "@spt-aki/models/eft/trade/IProcessRagfairTradeRequestData"; +export interface ITradeCallbacks { + processTrade(pmcData: IPmcData, body: IProcessBaseTradeRequestData, sessionID: string): IItemEventRouterResponse; + processRagfairTrade(pmcData: IPmcData, body: IProcessRagfairTradeRequestData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ITraderCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ITraderCallbacks.d.ts new file mode 100644 index 0000000..23cd532 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/ITraderCallbacks.d.ts @@ -0,0 +1,10 @@ +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { ITraderAssort, ITraderBase } from "@spt-aki/models/eft/common/tables/ITrader"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +export interface ITraderCallbacks { + load(): void; + getTraderSettings(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getTrader(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + getAssort(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; + update(): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IWeatherCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IWeatherCallbacks.d.ts new file mode 100644 index 0000000..1ba5b47 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IWeatherCallbacks.d.ts @@ -0,0 +1,5 @@ +import { IEmptyRequestData } from "@spt-aki/models/eft/common/IEmptyRequestData"; +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +export interface IWeatherCallbacks { + getWeather(url: string, info: IEmptyRequestData, sessionID: string): IGetBodyResponseData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IWishlistCallbacks.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IWishlistCallbacks.d.ts new file mode 100644 index 0000000..3ab5c68 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/callbacks/IWishlistCallbacks.d.ts @@ -0,0 +1,7 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IWishlistActionData } from "@spt-aki/models/eft/wishlist/IWishlistActionData"; +export interface IWishlistCallbacks { + addToWishlist(pmcData: IPmcData, body: IWishlistActionData, sessionID: string): IItemEventRouterResponse; + removeFromWishlist(pmcData: IPmcData, body: IWishlistActionData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IAirdropConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IAirdropConfig.d.ts new file mode 100644 index 0000000..1975cf7 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IAirdropConfig.d.ts @@ -0,0 +1,57 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { AirdropTypeEnum } from "@spt-aki/models/enums/AirdropType"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IAirdropConfig extends IBaseConfig { + kind: "aki-airdrop"; + airdropChancePercent: AirdropChancePercent; + airdropTypeWeightings: Record; + /** Lowest point plane will fly at */ + planeMinFlyHeight: number; + /** Highest point plane will fly at */ + planeMaxFlyHeight: number; + /** Loudness of plane engine */ + planeVolume: number; + /** Speed plane flies overhead */ + planeSpeed: number; + /** Speed loot crate falls after being dropped */ + crateFallSpeed: number; + /** Container tpls to use when spawning crate - affects container size, keyed by drop type e.g. mixed/weaponArmor/foodMedical/barter */ + containerIds: Record; + /** Earliest time aircraft will spawn in raid */ + airdropMinStartTimeSeconds: number; + /** Latest time aircraft will spawn in raid */ + airdropMaxStartTimeSeconds: number; + /** What rewards will the loot crate contain, keyed by drop type e.g. mixed/weaponArmor/foodMedical/barter */ + loot: Record; +} +/** Chance map will have an airdrop occur out of 100 - locations not included count as 0% */ +export interface AirdropChancePercent { + bigmap: number; + woods: number; + lighthouse: number; + shoreline: number; + interchange: number; + reserve: number; + tarkovStreets: number; +} +/** Loot inside crate */ +export interface AirdropLoot { + /** Min/max of weapons inside crate */ + presetCount?: MinMax; + /** Min/max of items inside crate */ + itemCount: MinMax; + /** Min/max of sealed weapon boxes inside crate */ + weaponCrateCount: MinMax; + /** Items to never allow - tpls */ + itemBlacklist: string[]; + /** Item type (parentId) to allow inside crate */ + itemTypeWhitelist: string[]; + /** Item type/ item tpls to limit count of inside crate - key: item base type: value: max count */ + itemLimits: Record; + /** Items to limit stack size of key: item tpl value: min/max stack size */ + itemStackLimits: Record; + /** Armor levels to allow inside crate e.g. [4,5,6] */ + armorLevelWhitelist?: number[]; + /** Should boss items be added to airdrop crate */ + allowBossItems: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IBaseConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IBaseConfig.d.ts new file mode 100644 index 0000000..8b6ba88 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IBaseConfig.d.ts @@ -0,0 +1,3 @@ +export interface IBaseConfig { + kind: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IBotConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IBotConfig.d.ts new file mode 100644 index 0000000..517ec27 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IBotConfig.d.ts @@ -0,0 +1,160 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { GenerationData } from "@spt-aki/models/eft/common/tables/IBotType"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +import { IBotDurability } from "@spt-aki/models/spt/config/IBotDurability"; +export interface IBotConfig extends IBaseConfig { + kind: "aki-bot"; + /** How many variants of each bot should be generated on raid start */ + presetBatch: PresetBatch; + /** What bot types should be classified as bosses */ + bosses: string[]; + /** Control weapon/armor durability min/max values for each bot type */ + durability: IBotDurability; + /** Controls the percentage values of randomization item resources */ + lootItemResourceRandomization: Record; + /** Control the weighting of how expensive an average loot item is on a PMC or Scav */ + lootNValue: LootNvalue; + /** Control what bots are added to a bots revenge list key: bottype, value: bottypes to revenge on seeing their death */ + revenge: Record; + /** Control how many items are allowed to spawn on a bot + * key: bottype, value: */ + itemSpawnLimits: Record>; + /** Blacklist/whitelist items on a bot */ + equipment: Record; + /** Show a bots botType value after their name */ + showTypeInNickname: boolean; + /** What ai brain should a normal scav use per map */ + assaultBrainType: Record>; + /** What ai brain should a player scav use per map */ + playerScavBrainType: Record>; + /** Max number of bots that can be spawned in a raid at any one time */ + maxBotCap: Record; + /** Chance scav has fake pscav name e.g. Scav name (player name) */ + chanceAssaultScavHasPlayerScavName: number; + /** How many stacks of secret ammo should a bot have in its bot secure container */ + secureContainerAmmoStackCount: number; +} +/** Number of bots to generate and store in cache on raid start per bot type */ +export interface PresetBatch { + assault: number; + bossBully: number; + bossGluhar: number; + bossKilla: number; + bossKojaniy: number; + bossSanitar: number; + bossTagilla: number; + bossKnight: number; + bossTest: number; + cursedAssault: number; + followerBully: number; + followerGluharAssault: number; + followerGluharScout: number; + followerGluharSecurity: number; + followerGluharSnipe: number; + followerKojaniy: number; + followerSanitar: number; + followerTagilla: number; + followerBirdEye: number; + followerBigPipe: number; + followerTest: number; + followerBoar: number; + marksman: number; + pmcBot: number; + sectantPriest: number; + sectantWarrior: number; + gifter: number; + test: number; + exUsec: number; + arenaFighterEvent: number; + arenaFighter: number; + crazyAssaultEvent: number; + bossBoar: number; + bossBoarSniper: number; + sptUsec: number; + sptBear: number; +} +export interface LootNvalue { + scav: number; + pmc: number; +} +export interface EquipmentFilters { + /** Limits for mod types per weapon .e.g. scopes */ + weaponModLimits: ModLimits; + /** Whitelist for weapon sight types allowed per gun */ + weaponSightWhitelist: Record; + /** Chance face shield is down/active */ + faceShieldIsActiveChancePercent?: number; + /** Chance gun flashlight is active during the day */ + lightIsActiveDayChancePercent?: number; + /** Chance gun flashlight is active during the night */ + lightIsActiveNightChancePercent?: number; + /** Chance gun laser is active during the day */ + laserIsActiveChancePercent?: number; + /** Chance NODS are down/active during the day */ + nvgIsActiveChanceDayPercent?: number; + /** Chance NODS are down/active during the night */ + nvgIsActiveChanceNightPercent?: number; + /** Adjust weighting/chances of items on bot by level of bot */ + randomisation: RandomisationDetails[]; + /** Blacklist equipment by level of bot */ + blacklist: EquipmentFilterDetails[]; + /** Whitelist equipment by level of bot */ + whitelist: EquipmentFilterDetails[]; + /** Adjust equipment/ammo */ + weightingAdjustmentsByBotLevel: WeightingAdjustmentDetails[]; + /** Same as weightingAdjustments but based on player level instead of bot level */ + weightingAdjustmentsByPlayerLevel?: WeightingAdjustmentDetails[]; + /** Should the stock mod be forced to spawn on bot */ + forceStock: boolean; +} +export interface ModLimits { + /** How many scopes are allowed on a weapon - hard coded to work with OPTIC_SCOPE, ASSAULT_SCOPE, COLLIMATOR, COMPACT_COLLIMATOR */ + scopeLimit?: number; + /** How many lasers or lights are allowed on a weapon - hard coded to work with TACTICAL_COMBO, and FLASHLIGHT */ + lightLaserLimit?: number; +} +export interface RandomisationDetails { + /** Between what levels do these randomisation setting apply to */ + levelRange: MinMax; + generation?: Record; + /** Mod slots that should be fully randomisate -ignores mods from bottype.json */ + randomisedWeaponModSlots?: string[]; + /** Armor slots that should be randomised e.g. 'Headwear, Armband' */ + randomisedArmorSlots?: string[]; + /** Equipment chances */ + equipment?: Record; + /** Mod chances */ + mods?: Record; +} +export interface EquipmentFilterDetails { + /** Between what levels do these equipment filter setting apply to */ + levelRange: MinMax; + /** Key: mod slot name e.g. mod_magazine, value: item tpls */ + equipment: Record; + /** Key: cartridge type e.g. Caliber23x75, value: item tpls */ + cartridge: Record; +} +export interface WeightingAdjustmentDetails { + /** Between what levels do these weight settings apply to */ + levelRange: MinMax; + /** Key: ammo type e.g. Caliber556x45NATO, value: item tpl + weight */ + ammo?: AdjustmentDetails; + /** Key: equipment slot e.g. TacticalVest, value: item tpl + weight */ + equipment?: AdjustmentDetails; + /** Key: clothing slot e.g. feet, value: item tpl + weight */ + clothing?: AdjustmentDetails; +} +export interface AdjustmentDetails { + add: Record>; + edit: Record>; +} +export interface IRandomisedResourceDetails { + food: IRandomisedResourceValues; + meds: IRandomisedResourceValues; +} +export interface IRandomisedResourceValues { + /** Minimum percent of item to randomized between min and max resource*/ + resourcePercent: number; + /** Chance for randomization to not occur */ + chanceMaxResourcePercent: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IBotDurability.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IBotDurability.d.ts new file mode 100644 index 0000000..a4ff53c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IBotDurability.d.ts @@ -0,0 +1,45 @@ +export interface IBotDurability { + default: DefaultDurability; + pmc: PmcDurability; + boss: BotDurability; + follower: BotDurability; + assault: BotDurability; + cursedassault: BotDurability; + marksman: BotDurability; + pmcbot: BotDurability; + exusec: BotDurability; + gifter: BotDurability; + sectantpriest: BotDurability; + sectantwarrior: BotDurability; +} +/** Durability values to be used when a more specific bot type cant be found */ +export interface DefaultDurability { + armor: ArmorDurability; + weapon: WeaponDurability; +} +export interface PmcDurability { + armor: PmcDurabilityArmor; + weapon: WeaponDurability; +} +export interface PmcDurabilityArmor { + lowestMaxPercent: number; + highestMaxPercent: number; + maxDelta: number; + minDelta: number; +} +export interface BotDurability { + armor: ArmorDurability; + weapon: WeaponDurability; +} +export interface ArmorDurability { + maxDelta: number; + minDelta: number; + minLimitPercent: number; +} +export interface WeaponDurability { + lowestMax: number; + highestMax: number; + maxDelta: number; + minDelta: number; + minLimitPercent: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ICoreConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ICoreConfig.d.ts new file mode 100644 index 0000000..68fbc14 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ICoreConfig.d.ts @@ -0,0 +1,37 @@ +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface ICoreConfig extends IBaseConfig { + kind: "aki-core"; + akiVersion: string; + projectName: string; + compatibleTarkovVersion: string; + serverName: string; + profileSaveIntervalSeconds: number; + sptFriendNickname: string; + fixes: IGameFixes; + features: IServerFeatures; + /** Commit hash build server was created from */ + commit?: string; + /** Timestamp of server build */ + buildTime?: string; +} +export interface IGameFixes { + /** Shotguns use a different value than normal guns causing huge pellet dispersion */ + fixShotgunDispersion: boolean; + /** Remove items added by mods when the mod no longer exists - can fix dead profiles stuck at game load*/ + removeModItemsFromProfile: boolean; + /** Fix issues that cause the game to not start due to inventory item issues */ + fixProfileBreakingInventoryItemIssues: boolean; +} +export interface IServerFeatures { + autoInstallModDependencies: boolean; + compressProfile: boolean; + chatbotFeatures: IChatbotFeatures; +} +export interface IChatbotFeatures { + sptFriendEnabled: boolean; + commandoEnabled: boolean; + commandoFeatures: ICommandoFeatures; +} +export interface ICommandoFeatures { + giveCommandEnabled: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IGiftsConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IGiftsConfig.d.ts new file mode 100644 index 0000000..b73761b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IGiftsConfig.d.ts @@ -0,0 +1,31 @@ +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { GiftSenderType } from "@spt-aki/models/enums/GiftSenderType"; +import { SeasonalEventType } from "@spt-aki/models/enums/SeasonalEventType"; +import { Traders } from "@spt-aki/models/enums/Traders"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +import { IProfileChangeEvent } from "../dialog/ISendMessageDetails"; +export interface IGiftsConfig extends IBaseConfig { + kind: "aki-gifts"; + gifts: Record; +} +export interface Gift { + /** Items to send to player */ + items: Item[]; + /** Who is sending the gift to player */ + sender: GiftSenderType; + /** Optinal - supply a users id to send from, not necessary when sending from SYSTEM or TRADER */ + senderId?: string; + senderDetails: IUserDialogInfo; + /** Optional - supply a trader type to send from, not necessary when sending from SYSTEM or USER */ + trader?: Traders; + messageText: string; + /** Optional - if sending text from the client locale file */ + localeTextId?: string; + /** Optional - Used by Seasonal events to send on specific day */ + timestampToSend?: number; + associatedEvent: SeasonalEventType; + collectionTimeHours: number; + /** Optional, can be used to change profile settings like level/skills */ + profileChangeEvents?: IProfileChangeEvent[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IHealthConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IHealthConfig.d.ts new file mode 100644 index 0000000..49b405f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IHealthConfig.d.ts @@ -0,0 +1,14 @@ +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IHealthConfig extends IBaseConfig { + kind: "aki-health"; + healthMultipliers: HealthMultipliers; + save: Save; +} +export interface HealthMultipliers { + death: number; + blacked: number; +} +export interface Save { + health: boolean; + effects: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IHideoutConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IHideoutConfig.d.ts new file mode 100644 index 0000000..5386fb3 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IHideoutConfig.d.ts @@ -0,0 +1,7 @@ +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IHideoutConfig extends IBaseConfig { + kind: "aki-hideout"; + runIntervalSeconds: number; + hoursForSkillCrafting: number; + expCraftAmount: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IHttpConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IHttpConfig.d.ts new file mode 100644 index 0000000..9007245 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IHttpConfig.d.ts @@ -0,0 +1,10 @@ +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IHttpConfig extends IBaseConfig { + webSocketPingDelayMs: number; + kind: "aki-http"; + ip: string; + port: number; + logRequests: boolean; + /** e.g. "Aki_Data/Server/images/traders/579dc571d53a0658a154fbec.png": "Aki_Data/Server/images/traders/NewTraderImage.png" */ + serverImagePathOverride: Record; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IInRaidConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IInRaidConfig.d.ts new file mode 100644 index 0000000..5b60526 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IInRaidConfig.d.ts @@ -0,0 +1,34 @@ +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IInRaidConfig extends IBaseConfig { + kind: "aki-inraid"; + MIAOnRaidEnd: boolean; + /** Overrides to apply to the pre-raid settings screen */ + raidMenuSettings: RaidMenuSettings; + /** What effects should be saved post-raid */ + save: Save; + /** Names of car extracts */ + carExtracts: string[]; + /** Names of coop extracts */ + coopExtracts: string[]; + /** Fence rep gain from a single car extract */ + carExtractBaseStandingGain: number; + /** Fence rep gain from a single coop extract */ + coopExtractBaseStandingGain: number; + /** Fence rep gain when successfully extracting as pscav */ + scavExtractGain: number; + /** On death should items in your secure keep their Find in raid status regardless of how you finished the raid */ + keepFiRSecureContainerOnDeath: boolean; +} +export interface RaidMenuSettings { + aiAmount: string; + aiDifficulty: string; + bossEnabled: boolean; + scavWars: boolean; + taggedAndCursed: boolean; + enablePve: boolean; +} +export interface Save { + /** Should loot gained from raid be saved */ + loot: boolean; + durability: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IInsuranceConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IInsuranceConfig.d.ts new file mode 100644 index 0000000..ffd0245 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IInsuranceConfig.d.ts @@ -0,0 +1,14 @@ +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IInsuranceConfig extends IBaseConfig { + kind: "aki-insurance"; + /** Insurance price multiplier */ + insuranceMultiplier: Record; + /** Chance item is returned as insurance, keyed by trader id */ + returnChancePercent: Record; + /** Item slots that should never be returned as insurance */ + blacklistedEquipment: string[]; + /** Override to control how quickly insurance is processed/returned in second */ + returnTimeOverrideSeconds: number; + /** How often server should process insurance in seconds */ + runIntervalSeconds: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IInventoryConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IInventoryConfig.d.ts new file mode 100644 index 0000000..6f1498d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IInventoryConfig.d.ts @@ -0,0 +1,27 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IInventoryConfig extends IBaseConfig { + kind: "aki-inventory"; + /** Should new items purchased by flagged as found in raid */ + newItemsMarkedFound: boolean; + randomLootContainers: Record; + sealedAirdropContainer: ISealedAirdropContainerSettings; + /** Contains item tpls that the server should consider money and treat the same as roubles/euros/dollars */ + customMoneyTpls: string[]; +} +export interface RewardDetails { + rewardCount: number; + foundInRaid: boolean; + rewardTplPool?: Record; + rewardTypePool?: Record; +} +export interface ISealedAirdropContainerSettings { + weaponRewardWeight: Record; + defaultPresetsOnly: boolean; + /** Should contents be flagged as found in raid when opened */ + foundInRaid: boolean; + weaponModRewardLimits: Record; + rewardTypeLimits: Record; + ammoBoxWhitelist: string[]; + allowBossItems: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IItemConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IItemConfig.d.ts new file mode 100644 index 0000000..506ee76 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IItemConfig.d.ts @@ -0,0 +1,8 @@ +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IItemConfig extends IBaseConfig { + kind: "aki-item"; + /** Items that should be globally blacklisted */ + blacklist: string[]; + /** Items that can only be found on bosses */ + bossItems: string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ILocaleConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ILocaleConfig.d.ts new file mode 100644 index 0000000..78e1cfb --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ILocaleConfig.d.ts @@ -0,0 +1,10 @@ +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface ILocaleConfig extends IBaseConfig { + kind: "aki-locale"; + /** e.g. ru/en/cn/fr etc, or 'system', will take computer locale setting */ + gameLocale: string; + /** e.g. ru/en/cn/fr etc, or 'system', will take computer locale setting */ + serverLocale: string; + /** Languages server can be translated into */ + serverSupportedLocales: string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ILocationConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ILocationConfig.d.ts new file mode 100644 index 0000000..5c804a4 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ILocationConfig.d.ts @@ -0,0 +1,111 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { BossLocationSpawn, Wave } from "@spt-aki/models/eft/common/ILocationBase"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface ILocationConfig extends IBaseConfig { + kind: "aki-location"; + /** Waves with a min/max of the same value don't spawn any bots, bsg only spawn the difference between min and max */ + fixEmptyBotWavesSettings: IFixEmptyBotWavesSettings; + /** Rogues are classified as bosses and spawn immediatly, this can result in no scavs spawning, delay rogues spawning to allow scavs to spawn first */ + rogueLighthouseSpawnTimeSettings: IRogueLighthouseSpawnTimeSettings; + /** When a map has hit max alive bots, any wave that should spawn will be reduced to 1 bot in size and placed in a spawn queue, this splits waves into smaller sizes to reduce the impact of this behaviour */ + splitWaveIntoSingleSpawnsSettings: ISplitWaveSettings; + looseLootMultiplier: LootMultiplier; + staticLootMultiplier: LootMultiplier; + /** Custom bot waves to add to a locations base json on game start if addCustomBotWavesToMaps is true */ + customWaves: CustomWaves; + /** Open zones to add to map */ + openZones: Record; + /** Key = map id, value = item tpls that should only have one forced loot spawn position */ + forcedLootSingleSpawnById: Record; + /** How many attempts should be taken to fit an item into a container before giving up */ + fitLootIntoContainerAttempts: number; + /** Add all possible zones to each maps `OpenZones` property */ + addOpenZonesToAllMaps: boolean; + /** Allow addition of custom bot waves designed by SPT to be added to maps - defined in configs/location.json.customWaves*/ + addCustomBotWavesToMaps: boolean; + /** Should the limits defined inside botTypeLimits to appled to locations on game start */ + enableBotTypeLimits: boolean; + /** Add limits to a locations base.MinMaxBots array if enableBotTypeLimits is true*/ + botTypeLimits: Record; + /** container randomisation settings */ + containerRandomisationSettings: IContainerRandomistionSettings; + /** How full must a random loose magazine be %*/ + minFillLooseMagazinePercent: number; + /** How full must a random static magazine be %*/ + minFillStaticMagazinePercent: number; + allowDuplicateItemsInStaticContainers: boolean; + /** Key: map, value: loose loot ids to ignore */ + looseLootBlacklist: Record; + /** Key: map, value: settings to control how long scav raids are*/ + scavRaidTimeSettings: IScavRaidTimeSettings; +} +export interface IFixEmptyBotWavesSettings { + enabled: boolean; + ignoreMaps: string[]; +} +export interface IRogueLighthouseSpawnTimeSettings { + enabled: boolean; + waitTimeSeconds: number; +} +export interface ISplitWaveSettings { + enabled: boolean; + ignoreMaps: string[]; + waveSizeThreshold: number; +} +export interface CustomWaves { + /** Bosses spawn on raid start */ + boss: Record; + normal: Record; +} +export interface IBotTypeLimit extends MinMax { + type: string; +} +/** Multiplier to apply to the loot count for a given map */ +export interface LootMultiplier { + bigmap: number; + develop: number; + factory4_day: number; + factory4_night: number; + interchange: number; + laboratory: number; + rezervbase: number; + shoreline: number; + woods: number; + hideout: number; + lighthouse: number; + privatearea: number; + suburbs: number; + tarkovstreets: number; + terminal: number; + town: number; +} +export interface IContainerRandomistionSettings { + enabled: boolean; + /** What maps can use the container randomisation feature */ + maps: Record; + /** Some container types don't work when randomised */ + containerTypesToNotRandomise: string[]; + containerGroupMinSizeMultiplier: number; + containerGroupMaxSizeMultiplier: number; +} +export interface IScavRaidTimeSettings { + settings: IScavRaidTimeConfigSettings; + maps: Record; +} +export interface IScavRaidTimeConfigSettings { + trainArrivalDelayObservedSeconds: number; +} +export interface IScavRaidTimeLocationSettings { + /** Should loot be reduced by same percent length of raid is reduced by */ + reduceLootByPercent: boolean; + /** Smallest % of container loot that should be spawned */ + minStaticLootPercent: number; + /** Smallest % of loose loot that should be spawned */ + minDynamicLootPercent: number; + /** Chance raid time is reduced */ + reducedChancePercent: number; + /** How much should raid time be reduced - weighted */ + reductionPercentWeights: Record; + /** Should bot waves be removed / spawn times be adjusted */ + adjustWaves: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ILootConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ILootConfig.d.ts new file mode 100644 index 0000000..003d6c6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ILootConfig.d.ts @@ -0,0 +1,9 @@ +import { Spawnpoint } from "@spt-aki/models/eft/common/ILooseLoot"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface ILootConfig extends IBaseConfig { + kind: "aki-loot"; + /** Spawn positions to add into a map, key=mapid */ + looseLoot: Record; + /** Loose loot probability adjustments to apply on game start */ + looseLootSpawnPointAdjustments: Record>; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ILostOnDeathConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ILostOnDeathConfig.d.ts new file mode 100644 index 0000000..ad7e7b9 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ILostOnDeathConfig.d.ts @@ -0,0 +1,24 @@ +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface ILostOnDeathConfig extends IBaseConfig { + kind: "aki-lostondeath"; + /** What equipment in each slot should be lost on death */ + equipment: Equipment; + /** Should special slot items be removed from quest inventory on death e.g. wifi camera/markers */ + specialSlotItems: boolean; + /** Should quest items be removed from quest inventory on death */ + questItems: boolean; +} +export interface Equipment { + ArmBand: boolean; + Headwear: boolean; + Earpiece: boolean; + FaceCover: boolean; + ArmorVest: boolean; + Eyewear: boolean; + TacticalVest: boolean; + Backpack: boolean; + Holster: boolean; + FirstPrimaryWeapon: boolean; + SecondPrimaryWeapon: boolean; + Scabbard: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IMatchConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IMatchConfig.d.ts new file mode 100644 index 0000000..dc7a8cb --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IMatchConfig.d.ts @@ -0,0 +1,5 @@ +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IMatchConfig extends IBaseConfig { + kind: "aki-match"; + enabled: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IPlayerScavConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IPlayerScavConfig.d.ts new file mode 100644 index 0000000..7f587e0 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IPlayerScavConfig.d.ts @@ -0,0 +1,25 @@ +import { GenerationData } from "@spt-aki/models/eft/common/tables/IBotType"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IPlayerScavConfig extends IBaseConfig { + kind: "aki-playerscav"; + karmaLevel: Record; +} +export interface KarmaLevel { + botTypeForLoot: string; + modifiers: Modifiers; + itemLimits: ItemLimits; + equipmentBlacklist: Record; + labsAccessCardChancePercent: number; +} +export interface Modifiers { + equipment: Record; + mod: Record; +} +export interface ItemLimits { + healing: GenerationData; + drugs: GenerationData; + stims: GenerationData; + looseLoot: GenerationData; + magazines: GenerationData; + grenades: GenerationData; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IPmChatResponse.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IPmChatResponse.d.ts new file mode 100644 index 0000000..50afdbc --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IPmChatResponse.d.ts @@ -0,0 +1,13 @@ +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IPmcChatResponse extends IBaseConfig { + kind: "aki-pmcchatresponse"; + victim: IResponseSettings; + killer: IResponseSettings; +} +export interface IResponseSettings { + responseChancePercent: number; + responseTypeWeights: Record; + stripCapitalisationChancePercent: number; + allCapsChancePercent: number; + appendBroToMessageEndChancePercent: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IPmcConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IPmcConfig.d.ts new file mode 100644 index 0000000..d67e6c2 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IPmcConfig.d.ts @@ -0,0 +1,61 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { MemberCategory } from "@spt-aki/models/enums/MemberCategory"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IPmcConfig extends IBaseConfig { + kind: "aki-pmc"; + /** What game version should the PMC have */ + gameVersionWeight: Record; + /** What account type should the PMC have */ + accountTypeWeight: Record; + /** Global whitelist/blacklist of vest loot for PMCs */ + vestLoot: SlotLootSettings; + /** Global whitelist/blacklist of pocket loot for PMCs */ + pocketLoot: SlotLootSettings; + /** Global whitelist/blacklist of backpack loot for PMCs */ + backpackLoot: SlotLootSettings; + dynamicLoot: DynamicLoot; + /** Use difficulty defined in config/bot.json/difficulty instead of chosen difficulty dropdown value */ + useDifficultyOverride: boolean; + /** Difficulty override e.g. "AsOnline/Hard" */ + difficulty: string; + /** Chance out of 100 to have a complete gun in backpack */ + looseWeaponInBackpackChancePercent: number; + /** Chance out of 100 to have an enhancement applied to PMC weapon */ + weaponHasEnhancementChancePercent: number; + /** MinMax count of weapons to have in backpack */ + looseWeaponInBackpackLootMinMax: MinMax; + /** Percentage chance PMC will be USEC */ + isUsec: number; + /** WildSpawnType enum value USEC PMCs use */ + usecType: string; + /** WildSpawnType enum value BEAR PMCs use */ + bearType: string; + chanceSameSideIsHostilePercent: number; + /** What 'brain' does a PMC use, keyed by map and side (USEC/BEAR) key: map location, value: type for usec/bear */ + pmcType: Record>>; + maxBackpackLootTotalRub: number; + maxPocketLootTotalRub: number; + maxVestLootTotalRub: number; + /** Percentage chance a bot from a wave is converted into a PMC, key = bot wildspawn tpye (assault/exusec), value: min+max chance to be converted */ + convertIntoPmcChance: Record; + /** WildSpawnType bots PMCs should see as hostile */ + enemyTypes: string[]; + /** How many levels above player level can a PMC be */ + botRelativeLevelDeltaMax: number; + /** Force a number of healing items into PMCs secure container to ensure they can heal */ + forceHealingItemsIntoSecure: boolean; + addPrefixToSameNamePMCAsPlayerChance: number; + allPMCsHavePlayerNameWithRandomPrefixChance: number; +} +export interface PmcTypes { + usec: string; + bear: string; +} +export interface SlotLootSettings { + whitelist: string[]; + blacklist: string[]; + moneyStackLimits: Record; +} +export interface DynamicLoot { + moneyStackLimits: Record; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IQuestConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IQuestConfig.d.ts new file mode 100644 index 0000000..c190d01 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IQuestConfig.d.ts @@ -0,0 +1,141 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { ELocationName } from "@spt-aki/models/enums/ELocationName"; +import { SeasonalEventType } from "@spt-aki/models/enums/SeasonalEventType"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IQuestConfig extends IBaseConfig { + kind: "aki-quest"; + redeemTime: number; + questTemplateIds: IPlayerTypeQuestIds; + /** Show non-seasonal quests be shown to player */ + showNonSeasonalEventQuests: boolean; + eventQuests: Record; + repeatableQuests: IRepeatableQuestConfig[]; + locationIdMap: Record; + bearOnlyQuests: string[]; + usecOnlyQuests: string[]; +} +export interface IPlayerTypeQuestIds { + pmc: IQuestTypeIds; + scav: IQuestTypeIds; +} +export interface IQuestTypeIds { + Elimination: string; + Completion: string; + Exploration: string; +} +export interface IEventQuestData { + name: string; + season: SeasonalEventType; + startTimestamp: number; + endTimestamp: number; + yearly: boolean; +} +export interface IRepeatableQuestConfig { + id: string; + name: string; + side: string; + types: string[]; + resetTime: number; + numQuests: number; + minPlayerLevel: number; + rewardScaling: IRewardScaling; + locations: Record; + traderWhitelist: ITraderWhitelist[]; + questConfig: IRepeatableQuestTypesConfig; + /** Item base types to block when generating rewards */ + rewardBaseTypeBlacklist: string[]; + /** Item tplIds to ignore when generating rewards */ + rewardBlacklist: string[]; + rewardAmmoStackMinSize: number; +} +export interface IRewardScaling { + levels: number[]; + experience: number[]; + roubles: number[]; + items: number[]; + reputation: number[]; + rewardSpread: number; + skillRewardChance: number[]; + skillPointReward: number[]; +} +export interface ITraderWhitelist { + traderId: string; + questTypes: string[]; + rewardBaseWhitelist: string[]; + rewardCanBeWeapon: boolean; + weaponRewardChancePercent: number; +} +export interface IRepeatableQuestTypesConfig { + Exploration: IExploration; + Completion: ICompletion; + Pickup: IPickup; + Elimination: IEliminationConfig[]; +} +export interface IExploration extends IBaseQuestConfig { + maxExtracts: number; + maxExtractsWithSpecificExit: number; + specificExits: ISpecificExits; +} +export interface ISpecificExits { + probability: number; + passageRequirementWhitelist: string[]; +} +export interface ICompletion extends IBaseQuestConfig { + minRequestedAmount: number; + maxRequestedAmount: number; + uniqueItemCount: number; + minRequestedBulletAmount: number; + maxRequestedBulletAmount: number; + useWhitelist: boolean; + useBlacklist: boolean; +} +export interface IPickup extends IBaseQuestConfig { + ItemTypeToFetchWithMaxCount: IPickupTypeWithMaxCount[]; +} +export interface IPickupTypeWithMaxCount { + itemType: string; + maxPickupCount: number; + minPickupCount: number; +} +export interface IEliminationConfig extends IBaseQuestConfig { + levelRange: MinMax; + targets: ITarget[]; + bodyPartProb: number; + bodyParts: IBodyPart[]; + specificLocationProb: number; + distLocationBlacklist: string[]; + distProb: number; + maxDist: number; + minDist: number; + maxKills: number; + minKills: number; + minBossKills: number; + maxBossKills: number; + minPmcKills: number; + maxPmcKills: number; + weaponCategoryRequirementProb: number; + weaponCategoryRequirements: IWeaponRequirement[]; + weaponRequirementProb: number; + weaponRequirements: IWeaponRequirement[]; +} +export interface IBaseQuestConfig { + possibleSkillRewards: string[]; +} +export interface ITarget extends IProbabilityObject { + data: IBossInfo; +} +export interface IBossInfo { + isBoss: boolean; + isPmc: boolean; +} +export interface IBodyPart extends IProbabilityObject { + data: string[]; +} +export interface IWeaponRequirement extends IProbabilityObject { + data: string[]; +} +export interface IProbabilityObject { + key: string; + relativeProbability: number; + data?: any; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IRagfairConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IRagfairConfig.d.ts new file mode 100644 index 0000000..14d77f1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IRagfairConfig.d.ts @@ -0,0 +1,142 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IRagfairConfig extends IBaseConfig { + kind: "aki-ragfair"; + /** How many seconds should pass before expired offers and procesed + player offers checked if sold */ + runIntervalSeconds: number; + /** Player listing settings */ + sell: Sell; + /** Trader ids + should their assorts be listed on flea*/ + traders: Record; + dynamic: Dynamic; +} +export interface Sell { + /** Should a fee be deducted from player when liting an item for sale */ + fees: boolean; + /** Settings to control chances of offer being sold */ + chance: Chance; + /** Settings to control how long it takes for a player offer to sell */ + time: Time; + /** Player offer reputation gain/loss settings */ + reputation: Reputation; + /**Seconds from clicking remove to remove offer from market */ + expireSeconds: number; +} +export interface Chance { + /** Base chance percent to sell an item */ + base: number; + /** Value to multiply the sell chance by */ + sellMultiplier: number; + /** Max possible sell chance % for a player listed offer */ + maxSellChancePercent: number; + /** Min possible sell chance % for a player listed offer */ + minSellChancePercent: number; +} +export interface Time extends MinMax { + base: number; +} +export interface Reputation { + gain: number; + loss: number; +} +export interface Dynamic { + purchasesAreFoundInRaid: boolean; + /** Use the highest trader price for an offer if its greater than the price in templates/prices.json */ + useTraderPriceForOffersIfHigher: boolean; + /** Barter offer specific settings */ + barter: IBarterDetails; + pack: IPackDetails; + /** Dynamic offer price below handbook adjustment values */ + offerAdjustment: OfferAdjustment; + /** How many offers should expire before an offer regeneration occurs */ + expiredOfferThreshold: number; + /** How many offers should be listed */ + offerItemCount: MinMax; + /** How much should the price of an offer vary by (percent 0.8 = 80%, 1.2 = 120%) */ + priceRanges: IPriceRanges; + /** Should default presets to listed only or should non-standard presets found in globals.json be listed too */ + showDefaultPresetsOnly: boolean; + endTimeSeconds: MinMax; + /** Settings to control the durability range of item items listed on flea */ + condition: Condition; + /** Size stackable items should be listed for in percent of max stack size */ + stackablePercent: MinMax; + /** Items that cannot be stacked can have multiples sold in one offer, what range of values can be listed */ + nonStackableCount: MinMax; + /** Range of rating offers for items being listed */ + rating: MinMax; + /** Percentages to sell offers in each currency */ + currencies: Record; + /** Item tpls that should be forced to sell as a single item */ + showAsSingleStack: string[]; + /** Should christmas/halloween items be removed from flea when not within the seasonal bounds */ + removeSeasonalItemsWhenNotInEvent: boolean; + /** Flea blacklist settings */ + blacklist: Blacklist; + /** Dict of price limits keyed by item type */ + unreasonableModPrices: Record; +} +export interface IPriceRanges { + default: MinMax; + preset: MinMax; + pack: MinMax; +} +export interface IBarterDetails { + /** Should barter offers be generated */ + enable: boolean; + /** Percentage change an offer is listed as a barter */ + chancePercent: number; + /** Min number of required items for a barter requirement */ + itemCountMin: number; + /** Max number of required items for a barter requirement */ + itemCountMax: number; + /** How much can the total price of requested items vary from the item offered */ + priceRangeVariancePercent: number; + /** Min rouble price for an offer to be considered for turning into a barter */ + minRoubleCostToBecomeBarter: number; + /** Item Tpls to never be turned into a barter */ + itemTypeBlacklist: string[]; +} +export interface IPackDetails { + /** Should pack offers be generated */ + enable: boolean; + /** Percentage change an offer is listed as a pack */ + chancePercent: number; + /** Min number of required items for a pack */ + itemCountMin: number; + /** Max number of required items for a pack */ + itemCountMax: number; + /** item types to allow being a pack */ + itemTypeWhitelist: string[]; +} +export interface OfferAdjustment { + /** Shuld offer price be adjusted when below handbook price */ + adjustPriceWhenBelowHandbookPrice: boolean; + /** How big a percentage difference does price need to vary from handbook to be considered for adjustment */ + maxPriceDifferenceBelowHandbookPercent: number; + /** How much to multiply the handbook price to get the new price */ + handbookPriceMultipier: number; + /** What is the minimum rouble price to consider adjusting price of item */ + priceThreshholdRub: number; +} +export interface Condition extends MinMax { + /** Percentage change durability is altered */ + conditionChance: number; +} +export interface Blacklist { + /** Damaged ammo packs */ + damagedAmmoPacks: boolean; + /** Custom blacklist for item Tpls */ + custom: string[]; + /** BSG blacklist a large number of items from flea, true = use blacklist */ + enableBsgList: boolean; + /** Should quest items be blacklisted from flea */ + enableQuestList: boolean; + /** Should trader items that are blacklisted by bsg be listed on flea */ + traderItems: boolean; +} +export interface IUnreasonableModPrices { + enabled: boolean; + handbookPriceOverMultiplier: number; + newPriceHandbookMultiplier: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IRepairConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IRepairConfig.d.ts new file mode 100644 index 0000000..9e23cc4 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IRepairConfig.d.ts @@ -0,0 +1,47 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IRepairConfig extends IBaseConfig { + kind: "aki-repair"; + priceMultiplier: number; + applyRandomizeDurabilityLoss: boolean; + weaponSkillRepairGain: number; + armorKitSkillPointGainPerRepairPointMultiplier: number; + /** INT gain multiplier per repaired item type */ + repairKitIntellectGainMultiplier: IIntellectGainValues; + maxIntellectGainPerRepair: IMaxIntellectGainValues; + weaponTreatment: IWeaponTreatmentRepairValues; + repairKit: RepairKit; +} +export interface IIntellectGainValues { + weapon: number; + armor: number; +} +export interface IMaxIntellectGainValues { + kit: number; + trader: number; +} +export interface IWeaponTreatmentRepairValues { + /** The chance to gain more weapon maintenance skill */ + critSuccessChance: number; + critSuccessAmount: number; + /** The chance to gain less weapon maintenance skill */ + critFailureChance: number; + critFailureAmount: number; + /** The multiplier used for calculating weapon maintenance XP */ + pointGainMultiplier: number; +} +export interface RepairKit { + armor: BonusSettings; + weapon: BonusSettings; +} +export interface BonusSettings { + rarityWeight: Record; + bonusTypeWeight: Record; + common: Record; + rare: Record; +} +export interface BonusValues { + valuesMinMax: MinMax; + /** What dura is buff active between (min max of current max) */ + activeDurabilityPercentMinMax: MinMax; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IScavCaseConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IScavCaseConfig.d.ts new file mode 100644 index 0000000..92f2722 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IScavCaseConfig.d.ts @@ -0,0 +1,30 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IScavCaseConfig extends IBaseConfig { + kind: "aki-scavcase"; + rewardItemValueRangeRub: Record; + moneyRewards: MoneyRewards; + ammoRewards: AmmoRewards; + rewardItemParentBlacklist: string[]; + rewardItemBlacklist: string[]; + allowMultipleMoneyRewardsPerRarity: boolean; + allowMultipleAmmoRewardsPerRarity: boolean; + allowBossItemsAsRewards: boolean; +} +export interface MoneyRewards { + moneyRewardChancePercent: number; + rubCount: MoneyLevels; + usdCount: MoneyLevels; + eurCount: MoneyLevels; +} +export interface MoneyLevels { + common: MinMax; + rare: MinMax; + superrare: MinMax; +} +export interface AmmoRewards { + ammoRewardChancePercent: number; + ammoRewardBlacklist: Record; + ammoRewardValueRangeRub: Record; + minStackSize: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ISeasonalEventConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ISeasonalEventConfig.d.ts new file mode 100644 index 0000000..4ac903b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ISeasonalEventConfig.d.ts @@ -0,0 +1,23 @@ +import { SeasonalEventType } from "@spt-aki/models/enums/SeasonalEventType"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface ISeasonalEventConfig extends IBaseConfig { + kind: "aki-seasonalevents"; + enableSeasonalEventDetection: boolean; + /** event / botType / equipSlot / itemid */ + eventGear: Record>>>; + events: ISeasonalEvent[]; + gifterSettings: GifterSetting[]; +} +export interface ISeasonalEvent { + name: string; + type: SeasonalEventType; + startDay: number; + startMonth: number; + endDay: number; + endMonth: number; +} +export interface GifterSetting { + map: string; + zones: string; + spawnChance: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ITraderConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ITraderConfig.d.ts new file mode 100644 index 0000000..29b3d2d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/ITraderConfig.d.ts @@ -0,0 +1,50 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +import { LootRequest } from "@spt-aki/models/spt/services/LootRequest"; +export interface ITraderConfig extends IBaseConfig { + kind: "aki-trader"; + updateTime: UpdateTime[]; + purchasesAreFoundInRaid: boolean; + updateTimeDefault: number; + traderPriceMultipler: number; + /** Keep track of purchased trader-limited items beyond server restarts to prevent server-restart item scumming */ + persistPurchaseDataInProfile: boolean; + fence: FenceConfig; +} +export interface UpdateTime { + traderId: string; + seconds: number; +} +export interface FenceConfig { + discountOptions: DiscountOptions; + partialRefreshTimeSeconds: number; + partialRefreshChangePercent: number; + assortSize: number; + maxPresetsPercent: number; + itemPriceMult: number; + presetPriceMult: number; + armorMaxDurabilityPercentMinMax: MinMax; + presetMaxDurabilityPercentMinMax: MinMax; + /** Key: item tpl */ + itemStackSizeOverrideMinMax: Record; + itemTypeLimits: Record; + regenerateAssortsOnRefresh: boolean; + /** Max rouble price before item is not listed on flea */ + itemCategoryRoublePriceLimit: Record; + /** Each slotid with % to be removed prior to listing on fence */ + presetSlotsToRemoveChancePercent: Record; + /** Block seasonal items from appearing when season is inactive */ + blacklistSeasonalItems: boolean; + blacklist: string[]; + coopExtractGift: CoopExtractReward; +} +export interface CoopExtractReward extends LootRequest { + sendGift: boolean; + messageLocaleIds: string[]; + giftExpiryHours: number; +} +export interface DiscountOptions { + assortSize: number; + itemPriceMult: number; + presetPriceMult: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IWeatherConfig.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IWeatherConfig.d.ts new file mode 100644 index 0000000..10f5459 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/config/IWeatherConfig.d.ts @@ -0,0 +1,23 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { WindDirection } from "@spt-aki/models/enums/WindDirection"; +import { IBaseConfig } from "@spt-aki/models/spt/config/IBaseConfig"; +export interface IWeatherConfig extends IBaseConfig { + kind: "aki-weather"; + acceleration: number; + weather: Weather; +} +export interface Weather { + clouds: WeatherSettings; + windSpeed: WeatherSettings; + windDirection: WeatherSettings; + windGustiness: MinMax; + rain: WeatherSettings; + rainIntensity: MinMax; + fog: WeatherSettings; + temp: MinMax; + pressure: MinMax; +} +export interface WeatherSettings { + values: T[]; + weights: number[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/controllers/IBotController.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/controllers/IBotController.d.ts new file mode 100644 index 0000000..3e8e035 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/controllers/IBotController.d.ts @@ -0,0 +1,13 @@ +import { IGenerateBotsRequestData } from "@spt-aki/models/eft/bot/IGenerateBotsRequestData"; +import { IBotBase } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { IBotCore } from "@spt-aki/models/eft/common/tables/IBotCore"; +import { Difficulty } from "@spt-aki/models/eft/common/tables/IBotType"; +export interface IBotController { + getBotLimit(type: string): number; + getBotDifficulty(type: string, difficulty: string): IBotCore | Difficulty; + isBotPmc(botRole: string): boolean; + isBotBoss(botRole: string): boolean; + isBotFollower(botRole: string): boolean; + generate(info: IGenerateBotsRequestData, playerScav: boolean): IBotBase[]; + getBotCap(): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/dialog/ISendMessageDetails.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/dialog/ISendMessageDetails.d.ts new file mode 100644 index 0000000..2068ede --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/dialog/ISendMessageDetails.d.ts @@ -0,0 +1,36 @@ +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ISystemData, IUserDialogInfo, MessageContentRagfair } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { MessageType } from "@spt-aki/models/enums/MessageType"; +import { Traders } from "@spt-aki/models/enums/Traders"; +export interface ISendMessageDetails { + /** Player id */ + recipientId: string; + /** Who is sending this message */ + sender: MessageType; + /** Optional - leave blank to use sender value */ + dialogType?: MessageType; + /** Optional - if sender is USER these details are used */ + senderDetails?: IUserDialogInfo; + /** Optional - the trader sending the message */ + trader?: Traders; + /** Optional - used in player/system messages, otherwise templateId is used */ + messageText?: string; + /** Optinal - Items to send to player */ + items?: Item[]; + /** Optional - How long items will be stored in mail before expiry */ + itemsMaxStorageLifetimeSeconds?: number; + /** Optional - Used when sending messages from traders who send text from locale json */ + templateId?: string; + /** Optional - ragfair related */ + systemData?: ISystemData; + /** Optional - Used by ragfair messages */ + ragfairDetails?: MessageContentRagfair; + /** OPTIONAL - allows modification of profile settings via mail */ + profileChangeEvents?: IProfileChangeEvent[]; +} +export interface IProfileChangeEvent { + _id: string; + Type: "TraderSalesSum" | "TraderStanding" | "ProfileLevel" | "SkillPoints" | "ExamineAllItems" | "UnlockTrader"; + value: number; + entity?: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/IBotGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/IBotGenerator.d.ts new file mode 100644 index 0000000..8c0b979 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/IBotGenerator.d.ts @@ -0,0 +1,10 @@ +import { Inventory as PmcInventory } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { Chances, Generation, Inventory } from "@spt-aki/models/eft/common/tables/IBotType"; +export interface IBotGenerator { + generateInventory(templateInventory: Inventory, equipmentChances: Chances, generation: Generation, botRole: string, isPmc: boolean): PmcInventory; +} +export interface IExhaustableArray { + getRandomValue(): T; + getFirstValue(): T; + hasValues(): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/ILocationGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/ILocationGenerator.d.ts new file mode 100644 index 0000000..347d5fa --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/ILocationGenerator.d.ts @@ -0,0 +1,6 @@ +import { ILooseLoot, SpawnpointTemplate } from "@spt-aki/models/eft/common/ILooseLoot"; +import { IStaticAmmoDetails, IStaticContainerProps, IStaticForcedProps, IStaticLootDetails } from "@spt-aki/models/eft/common/tables/ILootBase"; +export interface ILocationGenerator { + generateContainerLoot(containerIn: IStaticContainerProps, staticForced: IStaticForcedProps[], staticLootDist: Record, staticAmmoDist: Record, locationName: string): IStaticContainerProps; + generateDynamicLoot(dynamicLootDist: ILooseLoot, staticAmmoDist: Record, locationName: string): SpawnpointTemplate[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/IPMCLootGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/IPMCLootGenerator.d.ts new file mode 100644 index 0000000..a9db89b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/IPMCLootGenerator.d.ts @@ -0,0 +1,4 @@ +export interface IPMCLootGenerator { + generatePMCPocketLootPool(): string[]; + generatePMCBackpackLootPool(): string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/IRagfairAssortGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/IRagfairAssortGenerator.d.ts new file mode 100644 index 0000000..bcd26c2 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/IRagfairAssortGenerator.d.ts @@ -0,0 +1,4 @@ +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +export interface IRagfairAssortGenerator { + getAssortItems(): Item[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/IRagfairOfferGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/IRagfairOfferGenerator.d.ts new file mode 100644 index 0000000..bb5fdf9 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/generators/IRagfairOfferGenerator.d.ts @@ -0,0 +1,6 @@ +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { IBarterScheme } from "@spt-aki/models/eft/common/tables/ITrader"; +import { IRagfairOffer } from "@spt-aki/models/eft/ragfair/IRagfairOffer"; +export interface IRagfairOfferGenerator { + createOffer(userID: string, time: number, items: Item[], barterScheme: IBarterScheme[], loyalLevel: number, price: number, sellInOnePiece: boolean): IRagfairOffer; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/hideout/ScavCaseRewardCountsAndPrices.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/hideout/ScavCaseRewardCountsAndPrices.d.ts new file mode 100644 index 0000000..ee1893d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/hideout/ScavCaseRewardCountsAndPrices.d.ts @@ -0,0 +1,11 @@ +export interface ScavCaseRewardCountsAndPrices { + Common: RewardCountAndPriceDetails; + Rare: RewardCountAndPriceDetails; + Superrare: RewardCountAndPriceDetails; +} +export interface RewardCountAndPriceDetails { + minCount: number; + maxCount: number; + minPriceRub: number; + maxPriceRub: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/location/IRaidChanges.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/location/IRaidChanges.d.ts new file mode 100644 index 0000000..b7a989b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/location/IRaidChanges.d.ts @@ -0,0 +1,8 @@ +export interface IRaidChanges { + /** What percentage of dynamic loot should the map contain */ + dynamicLootPercent: number; + /** What percentage of static loot should the map contain */ + staticLootPercent: number; + /** How many seconds into the raid is the player simulated to spawn in at */ + simulatedRaidStartSeconds: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/IClientLogRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/IClientLogRequest.d.ts new file mode 100644 index 0000000..b7e1b36 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/IClientLogRequest.d.ts @@ -0,0 +1,8 @@ +import { LogLevel } from "@spt-aki/models/spt/logging/LogLevel"; +export interface IClientLogRequest { + Source: string; + Level: LogLevel | string; + Message: string; + Color?: string; + BackgroundColor?: string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/LogBackgroundColor.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/LogBackgroundColor.d.ts new file mode 100644 index 0000000..1dd369b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/LogBackgroundColor.d.ts @@ -0,0 +1,11 @@ +export declare enum LogBackgroundColor { + DEFAULT = "", + BLACK = "blackBG", + RED = "redBG", + GREEN = "greenBG", + YELLOW = "yellowBG", + BLUE = "blueBG", + MAGENTA = "magentaBG", + CYAN = "cyanBG", + WHITE = "whiteBG" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/LogLevel.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/LogLevel.d.ts new file mode 100644 index 0000000..567733b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/LogLevel.d.ts @@ -0,0 +1,8 @@ +export declare enum LogLevel { + ERROR = 0, + WARN = 1, + SUCCESS = 2, + INFO = 3, + CUSTOM = 4, + DEBUG = 5 +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/LogTextColor.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/LogTextColor.d.ts new file mode 100644 index 0000000..6c7abf3 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/LogTextColor.d.ts @@ -0,0 +1,11 @@ +export declare enum LogTextColor { + BLACK = "black", + RED = "red", + GREEN = "green", + YELLOW = "yellow", + BLUE = "blue", + MAGENTA = "magenta", + CYAN = "cyan", + WHITE = "white", + GRAY = "" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/SptLogger.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/SptLogger.d.ts new file mode 100644 index 0000000..ea1b3d8 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/logging/SptLogger.d.ts @@ -0,0 +1,7 @@ +export interface SptLogger { + error: (msg: string | Record) => void; + warn: (msg: string | Record) => void; + succ?: (msg: string | Record) => void; + info: (msg: string | Record) => void; + debug: (msg: string | Record) => void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/mod/IModLoader.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/mod/IModLoader.d.ts new file mode 100644 index 0000000..9a71f61 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/mod/IModLoader.d.ts @@ -0,0 +1,5 @@ +import { DependencyContainer } from "tsyringe"; +export interface IModLoader { + load(container: DependencyContainer): void; + getModPath(mod: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/mod/IPackageJsonData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/mod/IPackageJsonData.d.ts new file mode 100644 index 0000000..b07d00e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/mod/IPackageJsonData.d.ts @@ -0,0 +1,18 @@ +export interface IPackageJsonData { + incompatibilities?: string[]; + loadBefore?: string[]; + loadAfter?: string[]; + dependencies?: Record; + modDependencies?: Record; + name: string; + author: string; + version: string; + akiVersion: string; + /** We deliberately purge this data */ + scripts: Record; + devDependencies: Record; + licence: string; + main: string; + isBundleMod: boolean; + contributors: string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/mod/NewItemDetails.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/mod/NewItemDetails.d.ts new file mode 100644 index 0000000..304462d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/mod/NewItemDetails.d.ts @@ -0,0 +1,41 @@ +import { ITemplateItem, Props } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +export declare abstract class NewItemDetailsBase { + /** Price of the item on flea market */ + fleaPriceRoubles: number; + /** Price of the item in the handbook */ + handbookPriceRoubles: number; + /** Handbook ParentId for the new item */ + handbookParentId: string; + /** + * A dictionary for locale settings, key = langauge (e.g. en,cn,es-mx,jp,fr) + * If a language is not included, the first item in the array will be used in its place + */ + locales: Record; +} +export declare class NewItemFromCloneDetails extends NewItemDetailsBase { + /** Id of the item to copy and use as a base */ + itemTplToClone: string; + /** Item properties that should be applied over the top of the cloned base */ + overrideProperties: Props; + /** ParentId for the new item (item type) */ + parentId: string; + /** + * the id the new item should have, leave blank to have one generated for you + * This is often known as the TplId, or TemplateId + */ + newId: string; +} +export declare class NewItemDetails extends NewItemDetailsBase { + newItem: ITemplateItem; +} +export declare class LocaleDetails { + name: string; + shortName: string; + description: string; +} +export declare class CreateItemResult { + constructor(); + success: boolean; + itemId: string; + errors: string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/ragfair/IRagfairServerPrices.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/ragfair/IRagfairServerPrices.d.ts new file mode 100644 index 0000000..c7d246a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/ragfair/IRagfairServerPrices.d.ts @@ -0,0 +1,4 @@ +export interface IRagfairServerPrices { + static: Record; + dynamic: Record; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/repeatable/IQuestTypePool.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/repeatable/IQuestTypePool.d.ts new file mode 100644 index 0000000..bce68e8 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/repeatable/IQuestTypePool.d.ts @@ -0,0 +1,32 @@ +import { ELocationName } from "@spt-aki/models/enums/ELocationName"; +export interface IQuestTypePool { + types: string[]; + pool: IQuestPool; +} +export interface IQuestPool { + Exploration: IExplorationPool; + Elimination: IEliminationPool; + Pickup: IExplorationPool; +} +export interface IExplorationPool { + locations: Partial>; +} +export interface IEliminationPool { + targets: IEliminationTargetPool; +} +export interface IEliminationTargetPool { + Savage?: ITargetLocation; + AnyPmc?: ITargetLocation; + bossBully?: ITargetLocation; + bossGluhar?: ITargetLocation; + bossKilla?: ITargetLocation; + bossSanitar?: ITargetLocation; + bossTagilla?: ITargetLocation; + bossKnight?: ITargetLocation; + bossZryachiy?: ITargetLocation; + bossBoar?: ITargetLocation; + bossBoarSniper?: ITargetLocation; +} +export interface ITargetLocation { + locations: string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/server/IDatabaseTables.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/server/IDatabaseTables.d.ts new file mode 100644 index 0000000..98a0dbd --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/server/IDatabaseTables.d.ts @@ -0,0 +1,59 @@ +import { IGlobals } from "@spt-aki/models/eft/common/IGlobals"; +import { IBotBase } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { IBotCore } from "@spt-aki/models/eft/common/tables/IBotCore"; +import { IBotType } from "@spt-aki/models/eft/common/tables/IBotType"; +import { ICustomizationItem } from "@spt-aki/models/eft/common/tables/ICustomizationItem"; +import { IHandbookBase } from "@spt-aki/models/eft/common/tables/IHandbookBase"; +import { ILootBase } from "@spt-aki/models/eft/common/tables/ILootBase"; +import { IMatch } from "@spt-aki/models/eft/common/tables/IMatch"; +import { IProfileTemplates } from "@spt-aki/models/eft/common/tables/IProfileTemplate"; +import { IQuest } from "@spt-aki/models/eft/common/tables/IQuest"; +import { IRepeatableQuestDatabase } from "@spt-aki/models/eft/common/tables/IRepeatableQuests"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { ITrader } from "@spt-aki/models/eft/common/tables/ITrader"; +import { IHideoutArea } from "@spt-aki/models/eft/hideout/IHideoutArea"; +import { IHideoutProduction } from "@spt-aki/models/eft/hideout/IHideoutProduction"; +import { IHideoutScavCase } from "@spt-aki/models/eft/hideout/IHideoutScavCase"; +import { IHideoutSettingsBase } from "@spt-aki/models/eft/hideout/IHideoutSettingsBase"; +import { IQteData } from "@spt-aki/models/eft/hideout/IQteData"; +import { IEquipmentBuild } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { ILocaleBase } from "@spt-aki/models/spt/server/ILocaleBase"; +import { ILocations } from "@spt-aki/models/spt/server/ILocations"; +import { IServerBase } from "@spt-aki/models/spt/server/IServerBase"; +import { ISettingsBase } from "@spt-aki/models/spt/server/ISettingsBase"; +export interface IDatabaseTables { + bots?: { + types: Record; + base: IBotBase; + core: IBotCore; + }; + hideout?: { + areas: IHideoutArea[]; + production: IHideoutProduction[]; + scavcase: IHideoutScavCase[]; + settings: IHideoutSettingsBase; + qte: IQteData[]; + }; + locales?: ILocaleBase; + locations?: ILocations; + loot?: ILootBase; + match?: IMatch; + templates?: { + character: string[]; + items: Record; + quests: Record; + repeatableQuests: IRepeatableQuestDatabase; + handbook: IHandbookBase; + customization: Record; + /** The profile templates listed in the launcher on profile creation, split by account type (e.g. Standard) then side (e.g. bear/usec) */ + profiles: IProfileTemplates; + /** Flea prices of items - gathered from online flea market dump */ + prices: Record; + /** Default equipment loadouts that show on main inventory screen */ + defaultEquipmentPresets: IEquipmentBuild[]; + }; + traders?: Record; + globals?: IGlobals; + server?: IServerBase; + settings?: ISettingsBase; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/server/ILocaleBase.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/server/ILocaleBase.d.ts new file mode 100644 index 0000000..3004cb8 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/server/ILocaleBase.d.ts @@ -0,0 +1,6 @@ +export interface ILocaleBase { + global: Record>; + menu: Record; + languages: Record; + server: Record>; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/server/ILocations.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/server/ILocations.d.ts new file mode 100644 index 0000000..9987d8c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/server/ILocations.d.ts @@ -0,0 +1,26 @@ +import { ILocationBase } from "@spt-aki/models/eft/common/ILocationBase"; +import { ILooseLoot } from "@spt-aki/models/eft/common/ILooseLoot"; +import { ILocationsBase } from "@spt-aki/models/eft/common/tables/ILocationsBase"; +export interface ILocations { + bigmap?: ILocationData; + develop?: ILocationData; + factory4_day?: ILocationData; + factory4_night?: ILocationData; + hideout?: ILocationData; + interchange?: ILocationData; + laboratory?: ILocationData; + lighthouse?: ILocationData; + privatearea?: ILocationData; + rezervbase?: ILocationData; + shoreline?: ILocationData; + suburbs?: ILocationData; + tarkovstreets?: ILocationData; + terminal?: ILocationData; + town?: ILocationData; + woods?: ILocationData; + base?: ILocationsBase; +} +export interface ILocationData { + base: ILocationBase; + looseLoot?: ILooseLoot; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/server/IServerBase.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/server/IServerBase.d.ts new file mode 100644 index 0000000..d033db3 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/server/IServerBase.d.ts @@ -0,0 +1,4 @@ +export interface IServerBase { + ip: string; + port: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/server/ISettingsBase.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/server/ISettingsBase.d.ts new file mode 100644 index 0000000..6be2ad4 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/server/ISettingsBase.d.ts @@ -0,0 +1,53 @@ +export interface ISettingsBase { + config: Config; +} +export interface Config { + AFKTimeoutSeconds: number; + AdditionalRandomDelaySeconds: number; + ClientSendRateLimit: number; + CriticalRetriesCount: number; + DefaultRetriesCount: number; + FirstCycleDelaySeconds: number; + FramerateLimit: FramerateLimit; + GroupStatusInterval: number; + GroupStatusButtonInterval: number; + KeepAliveInterval: number; + LobbyKeepAliveInterval: number; + Mark502and504AsNonImportant: boolean; + MemoryManagementSettings: MemoryManagementSettings; + NVidiaHighlights: boolean; + NextCycleDelaySeconds: number; + PingServerResultSendInterval: number; + PingServersInterval: number; + ReleaseProfiler: ReleaseProfiler; + RequestConfirmationTimeouts: number[]; + RequestsMadeThroughLobby: string[]; + SecondCycleDelaySeconds: number; + ShouldEstablishLobbyConnection: boolean; + TurnOffLogging: boolean; + WeaponOverlapDistanceCulling: number; + WebDiagnosticsEnabled: boolean; + NetworkStateView: INetworkStateView; +} +export interface FramerateLimit { + MaxFramerateGameLimit: number; + MaxFramerateLobbyLimit: number; + MinFramerateLimit: number; +} +export interface MemoryManagementSettings { + AggressiveGC: boolean; + GigabytesRequiredToDisableGCDuringRaid: number; + HeapPreAllocationEnabled: boolean; + HeapPreAllocationMB: number; + OverrideRamCleanerSettings: boolean; + RamCleanerEnabled: boolean; +} +export interface ReleaseProfiler { + Enabled: boolean; + MaxRecords: number; + RecordTriggerValue: number; +} +export interface INetworkStateView { + LossThreshold: number; + RttThreshold: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/services/CustomPreset.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/services/CustomPreset.d.ts new file mode 100644 index 0000000..989c58f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/services/CustomPreset.d.ts @@ -0,0 +1,5 @@ +import { IPreset } from "@spt-aki/models/eft/common/IGlobals"; +export interface CustomPreset { + key: string; + preset: IPreset; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/services/CustomTraderAssortData.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/services/CustomTraderAssortData.d.ts new file mode 100644 index 0000000..289d66a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/services/CustomTraderAssortData.d.ts @@ -0,0 +1,6 @@ +import { ITraderAssort } from "@spt-aki/models/eft/common/tables/ITrader"; +import { Traders } from "@spt-aki/models/enums/Traders"; +export interface CustomTraderAssortData { + traderId: Traders; + assorts: ITraderAssort; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/services/LootItem.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/services/LootItem.d.ts new file mode 100644 index 0000000..acb7606 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/services/LootItem.d.ts @@ -0,0 +1,6 @@ +export declare class LootItem { + id?: string; + tpl: string; + isPreset: boolean; + stackCount: number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/services/LootRequest.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/services/LootRequest.d.ts new file mode 100644 index 0000000..f277553 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/services/LootRequest.d.ts @@ -0,0 +1,13 @@ +import { MinMax } from "@spt-aki/models/common/MinMax"; +export interface LootRequest { + presetCount: MinMax; + itemCount: MinMax; + weaponCrateCount: MinMax; + itemBlacklist: string[]; + itemTypeWhitelist: string[]; + /** key: item base type: value: max count */ + itemLimits: Record; + itemStackLimits: Record; + armorLevelWhitelist: number[]; + allowBossItems: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/utils/IAsyncQueue.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/utils/IAsyncQueue.d.ts new file mode 100644 index 0000000..464139a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/utils/IAsyncQueue.d.ts @@ -0,0 +1,4 @@ +import { ICommand } from "@spt-aki/models/spt/utils/ICommand"; +export interface IAsyncQueue { + waitFor(command: ICommand): Promise; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/utils/ICommand.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/utils/ICommand.d.ts new file mode 100644 index 0000000..696bb83 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/utils/ICommand.d.ts @@ -0,0 +1,4 @@ +export interface ICommand { + uuid: string; + cmd: () => Promise; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/utils/ILogger.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/utils/ILogger.d.ts new file mode 100644 index 0000000..340f26b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/utils/ILogger.d.ts @@ -0,0 +1,13 @@ +import { Daum } from "@spt-aki/models/eft/itemEvent/IItemEventRouterRequest"; +import { LogBackgroundColor } from "@spt-aki/models/spt/logging/LogBackgroundColor"; +import { LogTextColor } from "@spt-aki/models/spt/logging/LogTextColor"; +export interface ILogger { + writeToLogFile(data: string | Daum): void; + log(data: string | Record | Error, color: string, backgroundColor?: string): void; + logWithColor(data: string | Record, textColor: LogTextColor, backgroundColor?: LogBackgroundColor): void; + error(data: string): void; + warning(data: string): void; + success(data: string): void; + info(data: string): void; + debug(data: string | Record, onlyShowInConsole?: boolean): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/models/spt/utils/IUuidGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/models/spt/utils/IUuidGenerator.d.ts new file mode 100644 index 0000000..3870469 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/models/spt/utils/IUuidGenerator.d.ts @@ -0,0 +1,3 @@ +export interface IUUidGenerator { + generate(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/EventOutputHolder.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/EventOutputHolder.d.ts new file mode 100644 index 0000000..8ee10ef --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/EventOutputHolder.d.ts @@ -0,0 +1,53 @@ +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IHideoutImprovement, Productive, TraderInfo } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { TraderData } from "@spt-aki/models/eft/itemEvent/IItemEventRouterBase"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class EventOutputHolder { + protected jsonUtil: JsonUtil; + protected profileHelper: ProfileHelper; + protected timeUtil: TimeUtil; + /** What has client been informed of this game session */ + protected clientActiveSessionStorage: Record; + constructor(jsonUtil: JsonUtil, profileHelper: ProfileHelper, timeUtil: TimeUtil); + protected output: IItemEventRouterResponse; + getOutput(sessionID: string): IItemEventRouterResponse; + /** + * Reset the response object to a default state + * Occurs prior to event being handled by server + * @param sessionID Players id + */ + resetOutput(sessionID: string): void; + /** + * Update output object with most recent values from player profile + * @param sessionId Session id + */ + updateOutputProperties(sessionId: string): void; + /** + * Convert the internal trader data object into an object we can send to the client + * @param traderData server data for traders + * @returns dict of trader id + TraderData + */ + protected constructTraderRelations(traderData: Record): Record; + /** + * Return all hideout Improvements from player profile, adjust completed Improvements' completed property to be true + * @param pmcData Player profile + * @returns dictionary of hideout improvements + */ + protected getImprovementsFromProfileAndFlagComplete(pmcData: IPmcData): Record; + /** + * Return productions from player profile except those completed crafts the client has already seen + * @param pmcData Player profile + * @returns dictionary of hideout productions + */ + protected getProductionsFromProfileAndFlagComplete(productions: Record): Record; + /** + * Required as continuous productions don't reset and stay at 100% completion but client thinks it hasn't started + * @param productions Productions in a profile + */ + protected cleanUpCompleteCraftsInProfile(productions: Record): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/HttpRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/HttpRouter.d.ts new file mode 100644 index 0000000..875182d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/HttpRouter.d.ts @@ -0,0 +1,16 @@ +/// +import { IncomingMessage } from "node:http"; +import { DynamicRouter, Router, StaticRouter } from "@spt-aki/di/Router"; +export declare class HttpRouter { + protected staticRouters: StaticRouter[]; + protected dynamicRoutes: DynamicRouter[]; + constructor(staticRouters: StaticRouter[], dynamicRoutes: DynamicRouter[]); + protected groupBy(list: T[], keyGetter: (t: T) => string): Map; + getResponse(req: IncomingMessage, info: any, sessionID: string): string; + protected handleRoute(url: string, info: any, sessionID: string, wrapper: ResponseWrapper, routers: Router[], dynamic: boolean): boolean; +} +declare class ResponseWrapper { + output: string; + constructor(output: string); +} +export {}; diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/ImageRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/ImageRouter.d.ts new file mode 100644 index 0000000..9d13b7a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/ImageRouter.d.ts @@ -0,0 +1,14 @@ +/// +import { IncomingMessage, ServerResponse } from "node:http"; +import { ImageRouteService } from "@spt-aki/services/mod/image/ImageRouteService"; +import { HttpFileUtil } from "@spt-aki/utils/HttpFileUtil"; +import { VFS } from "@spt-aki/utils/VFS"; +export declare class ImageRouter { + protected vfs: VFS; + protected imageRouteService: ImageRouteService; + protected httpFileUtil: HttpFileUtil; + constructor(vfs: VFS, imageRouteService: ImageRouteService, httpFileUtil: HttpFileUtil); + addRoute(key: string, valueToAdd: string): void; + sendImage(sessionID: string, req: IncomingMessage, resp: ServerResponse, body: any): void; + getImage(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/ItemEventRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/ItemEventRouter.d.ts new file mode 100644 index 0000000..6c770ec --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/ItemEventRouter.d.ts @@ -0,0 +1,21 @@ +import { ItemEventRouterDefinition } from "@spt-aki/di/Router"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { IItemEventRouterRequest } from "@spt-aki/models/eft/itemEvent/IItemEventRouterRequest"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +export declare class ItemEventRouter { + protected logger: ILogger; + protected profileHelper: ProfileHelper; + protected itemEventRouters: ItemEventRouterDefinition[]; + protected localisationService: LocalisationService; + protected eventOutputHolder: EventOutputHolder; + constructor(logger: ILogger, profileHelper: ProfileHelper, itemEventRouters: ItemEventRouterDefinition[], localisationService: LocalisationService, eventOutputHolder: EventOutputHolder); + /** + * @param info Event request + * @param sessionID Session id + * @returns Item response + */ + handleEvents(info: IItemEventRouterRequest, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/BotDynamicRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/BotDynamicRouter.d.ts new file mode 100644 index 0000000..5c54065 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/BotDynamicRouter.d.ts @@ -0,0 +1,6 @@ +import { BotCallbacks } from "@spt-aki/callbacks/BotCallbacks"; +import { DynamicRouter } from "@spt-aki/di/Router"; +export declare class BotDynamicRouter extends DynamicRouter { + protected botCallbacks: BotCallbacks; + constructor(botCallbacks: BotCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/BundleDynamicRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/BundleDynamicRouter.d.ts new file mode 100644 index 0000000..c73860a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/BundleDynamicRouter.d.ts @@ -0,0 +1,6 @@ +import { BundleCallbacks } from "@spt-aki/callbacks/BundleCallbacks"; +import { DynamicRouter } from "@spt-aki/di/Router"; +export declare class BundleDynamicRouter extends DynamicRouter { + protected bundleCallbacks: BundleCallbacks; + constructor(bundleCallbacks: BundleCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/CustomizationDynamicRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/CustomizationDynamicRouter.d.ts new file mode 100644 index 0000000..79e60e6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/CustomizationDynamicRouter.d.ts @@ -0,0 +1,6 @@ +import { CustomizationCallbacks } from "@spt-aki/callbacks/CustomizationCallbacks"; +import { DynamicRouter } from "@spt-aki/di/Router"; +export declare class CustomizationDynamicRouter extends DynamicRouter { + protected customizationCallbacks: CustomizationCallbacks; + constructor(customizationCallbacks: CustomizationCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/DataDynamicRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/DataDynamicRouter.d.ts new file mode 100644 index 0000000..098748f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/DataDynamicRouter.d.ts @@ -0,0 +1,6 @@ +import { DataCallbacks } from "@spt-aki/callbacks/DataCallbacks"; +import { DynamicRouter } from "@spt-aki/di/Router"; +export declare class DataDynamicRouter extends DynamicRouter { + protected dataCallbacks: DataCallbacks; + constructor(dataCallbacks: DataCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/HttpDynamicRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/HttpDynamicRouter.d.ts new file mode 100644 index 0000000..5fda392 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/HttpDynamicRouter.d.ts @@ -0,0 +1,6 @@ +import { DynamicRouter } from "@spt-aki/di/Router"; +import { ImageRouter } from "@spt-aki/routers/ImageRouter"; +export declare class HttpDynamicRouter extends DynamicRouter { + protected imageRouter: ImageRouter; + constructor(imageRouter: ImageRouter); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/InraidDynamicRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/InraidDynamicRouter.d.ts new file mode 100644 index 0000000..b68282e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/InraidDynamicRouter.d.ts @@ -0,0 +1,7 @@ +import { InraidCallbacks } from "@spt-aki/callbacks/InraidCallbacks"; +import { DynamicRouter } from "@spt-aki/di/Router"; +export declare class InraidDynamicRouter extends DynamicRouter { + protected inraidCallbacks: InraidCallbacks; + constructor(inraidCallbacks: InraidCallbacks); + getTopLevelRoute(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/LocationDynamicRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/LocationDynamicRouter.d.ts new file mode 100644 index 0000000..aef354f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/LocationDynamicRouter.d.ts @@ -0,0 +1,7 @@ +import { LocationCallbacks } from "@spt-aki/callbacks/LocationCallbacks"; +import { DynamicRouter } from "@spt-aki/di/Router"; +export declare class LocationDynamicRouter extends DynamicRouter { + protected locationCallbacks: LocationCallbacks; + constructor(locationCallbacks: LocationCallbacks); + getTopLevelRoute(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/NotifierDynamicRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/NotifierDynamicRouter.d.ts new file mode 100644 index 0000000..f1c0ea7 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/NotifierDynamicRouter.d.ts @@ -0,0 +1,6 @@ +import { NotifierCallbacks } from "@spt-aki/callbacks/NotifierCallbacks"; +import { DynamicRouter } from "@spt-aki/di/Router"; +export declare class NotifierDynamicRouter extends DynamicRouter { + protected notifierCallbacks: NotifierCallbacks; + constructor(notifierCallbacks: NotifierCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/TraderDynamicRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/TraderDynamicRouter.d.ts new file mode 100644 index 0000000..2cde752 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/dynamic/TraderDynamicRouter.d.ts @@ -0,0 +1,6 @@ +import { TraderCallbacks } from "@spt-aki/callbacks/TraderCallbacks"; +import { DynamicRouter } from "@spt-aki/di/Router"; +export declare class TraderDynamicRouter extends DynamicRouter { + protected traderCallbacks: TraderCallbacks; + constructor(traderCallbacks: TraderCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/item_events/CustomizationItemEventRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/CustomizationItemEventRouter.d.ts new file mode 100644 index 0000000..473c8ed --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/CustomizationItemEventRouter.d.ts @@ -0,0 +1,10 @@ +import { CustomizationCallbacks } from "@spt-aki/callbacks/CustomizationCallbacks"; +import { HandledRoute, ItemEventRouterDefinition } from "@spt-aki/di/Router"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export declare class CustomizationItemEventRouter extends ItemEventRouterDefinition { + protected customizationCallbacks: CustomizationCallbacks; + constructor(customizationCallbacks: CustomizationCallbacks); + getHandledRoutes(): HandledRoute[]; + handleItemEvent(url: string, pmcData: IPmcData, body: any, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/item_events/HealthItemEventRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/HealthItemEventRouter.d.ts new file mode 100644 index 0000000..5243153 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/HealthItemEventRouter.d.ts @@ -0,0 +1,10 @@ +import { HealthCallbacks } from "@spt-aki/callbacks/HealthCallbacks"; +import { HandledRoute, ItemEventRouterDefinition } from "@spt-aki/di/Router"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export declare class HealthItemEventRouter extends ItemEventRouterDefinition { + protected healthCallbacks: HealthCallbacks; + constructor(healthCallbacks: HealthCallbacks); + getHandledRoutes(): HandledRoute[]; + handleItemEvent(url: string, pmcData: IPmcData, body: any, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/item_events/HideoutItemEventRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/HideoutItemEventRouter.d.ts new file mode 100644 index 0000000..8775212 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/HideoutItemEventRouter.d.ts @@ -0,0 +1,10 @@ +import { HideoutCallbacks } from "@spt-aki/callbacks/HideoutCallbacks"; +import { HandledRoute, ItemEventRouterDefinition } from "@spt-aki/di/Router"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export declare class HideoutItemEventRouter extends ItemEventRouterDefinition { + protected hideoutCallbacks: HideoutCallbacks; + constructor(hideoutCallbacks: HideoutCallbacks); + getHandledRoutes(): HandledRoute[]; + handleItemEvent(url: string, pmcData: IPmcData, body: any, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/item_events/InsuranceItemEventRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/InsuranceItemEventRouter.d.ts new file mode 100644 index 0000000..f2c9ab6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/InsuranceItemEventRouter.d.ts @@ -0,0 +1,10 @@ +import { InsuranceCallbacks } from "@spt-aki/callbacks/InsuranceCallbacks"; +import { HandledRoute, ItemEventRouterDefinition } from "@spt-aki/di/Router"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export declare class InsuranceItemEventRouter extends ItemEventRouterDefinition { + protected insuranceCallbacks: InsuranceCallbacks; + constructor(insuranceCallbacks: InsuranceCallbacks); + getHandledRoutes(): HandledRoute[]; + handleItemEvent(url: string, pmcData: IPmcData, body: any, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/item_events/InventoryItemEventRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/InventoryItemEventRouter.d.ts new file mode 100644 index 0000000..cb93d29 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/InventoryItemEventRouter.d.ts @@ -0,0 +1,12 @@ +import { HideoutCallbacks } from "@spt-aki/callbacks/HideoutCallbacks"; +import { InventoryCallbacks } from "@spt-aki/callbacks/InventoryCallbacks"; +import { HandledRoute, ItemEventRouterDefinition } from "@spt-aki/di/Router"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export declare class InventoryItemEventRouter extends ItemEventRouterDefinition { + protected inventoryCallbacks: InventoryCallbacks; + protected hideoutCallbacks: HideoutCallbacks; + constructor(inventoryCallbacks: InventoryCallbacks, hideoutCallbacks: HideoutCallbacks); + getHandledRoutes(): HandledRoute[]; + handleItemEvent(url: string, pmcData: IPmcData, body: any, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/item_events/NoteItemEventRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/NoteItemEventRouter.d.ts new file mode 100644 index 0000000..35907cc --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/NoteItemEventRouter.d.ts @@ -0,0 +1,11 @@ +import { NoteCallbacks } from "@spt-aki/callbacks/NoteCallbacks"; +import { HandledRoute, ItemEventRouterDefinition } from "@spt-aki/di/Router"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { INoteActionData } from "@spt-aki/models/eft/notes/INoteActionData"; +export declare class NoteItemEventRouter extends ItemEventRouterDefinition { + protected noteCallbacks: NoteCallbacks; + constructor(noteCallbacks: NoteCallbacks); + getHandledRoutes(): HandledRoute[]; + handleItemEvent(url: string, pmcData: IPmcData, body: INoteActionData, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/item_events/PresetBuildItemEventRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/PresetBuildItemEventRouter.d.ts new file mode 100644 index 0000000..d5dbf9d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/PresetBuildItemEventRouter.d.ts @@ -0,0 +1,10 @@ +import { PresetBuildCallbacks } from "@spt-aki/callbacks/PresetBuildCallbacks"; +import { HandledRoute, ItemEventRouterDefinition } from "@spt-aki/di/Router"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export declare class PresetBuildItemEventRouter extends ItemEventRouterDefinition { + protected presetBuildCallbacks: PresetBuildCallbacks; + constructor(presetBuildCallbacks: PresetBuildCallbacks); + getHandledRoutes(): HandledRoute[]; + handleItemEvent(url: string, pmcData: IPmcData, body: any, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/item_events/QuestItemEventRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/QuestItemEventRouter.d.ts new file mode 100644 index 0000000..32715e5 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/QuestItemEventRouter.d.ts @@ -0,0 +1,12 @@ +import { QuestCallbacks } from "@spt-aki/callbacks/QuestCallbacks"; +import { HandledRoute, ItemEventRouterDefinition } from "@spt-aki/di/Router"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +export declare class QuestItemEventRouter extends ItemEventRouterDefinition { + protected logger: ILogger; + protected questCallbacks: QuestCallbacks; + constructor(logger: ILogger, questCallbacks: QuestCallbacks); + getHandledRoutes(): HandledRoute[]; + handleItemEvent(eventAction: string, pmcData: IPmcData, body: any, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/item_events/RagfairItemEventRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/RagfairItemEventRouter.d.ts new file mode 100644 index 0000000..b8cf48c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/RagfairItemEventRouter.d.ts @@ -0,0 +1,10 @@ +import { RagfairCallbacks } from "@spt-aki/callbacks/RagfairCallbacks"; +import { HandledRoute, ItemEventRouterDefinition } from "@spt-aki/di/Router"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export declare class RagfairItemEventRouter extends ItemEventRouterDefinition { + protected ragfairCallbacks: RagfairCallbacks; + constructor(ragfairCallbacks: RagfairCallbacks); + getHandledRoutes(): HandledRoute[]; + handleItemEvent(url: string, pmcData: IPmcData, body: any, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/item_events/RepairItemEventRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/RepairItemEventRouter.d.ts new file mode 100644 index 0000000..282c47a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/RepairItemEventRouter.d.ts @@ -0,0 +1,10 @@ +import { RepairCallbacks } from "@spt-aki/callbacks/RepairCallbacks"; +import { HandledRoute, ItemEventRouterDefinition } from "@spt-aki/di/Router"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export declare class RepairItemEventRouter extends ItemEventRouterDefinition { + protected repairCallbacks: RepairCallbacks; + constructor(repairCallbacks: RepairCallbacks); + getHandledRoutes(): HandledRoute[]; + handleItemEvent(url: string, pmcData: IPmcData, body: any, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/item_events/TradeItemEventRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/TradeItemEventRouter.d.ts new file mode 100644 index 0000000..1494963 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/TradeItemEventRouter.d.ts @@ -0,0 +1,10 @@ +import { TradeCallbacks } from "@spt-aki/callbacks/TradeCallbacks"; +import { HandledRoute, ItemEventRouterDefinition } from "@spt-aki/di/Router"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export declare class TradeItemEventRouter extends ItemEventRouterDefinition { + protected tradeCallbacks: TradeCallbacks; + constructor(tradeCallbacks: TradeCallbacks); + getHandledRoutes(): HandledRoute[]; + handleItemEvent(url: string, pmcData: IPmcData, body: any, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/item_events/WishlistItemEventRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/WishlistItemEventRouter.d.ts new file mode 100644 index 0000000..1d6f601 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/item_events/WishlistItemEventRouter.d.ts @@ -0,0 +1,10 @@ +import { WishlistCallbacks } from "@spt-aki/callbacks/WishlistCallbacks"; +import { HandledRoute, ItemEventRouterDefinition } from "@spt-aki/di/Router"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +export declare class WishlistItemEventRouter extends ItemEventRouterDefinition { + protected wishlistCallbacks: WishlistCallbacks; + constructor(wishlistCallbacks: WishlistCallbacks); + getHandledRoutes(): HandledRoute[]; + handleItemEvent(url: string, pmcData: IPmcData, body: any, sessionID: string): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/save_load/HealthSaveLoadRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/save_load/HealthSaveLoadRouter.d.ts new file mode 100644 index 0000000..1ecfa44 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/save_load/HealthSaveLoadRouter.d.ts @@ -0,0 +1,6 @@ +import { HandledRoute, SaveLoadRouter } from "@spt-aki/di/Router"; +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +export declare class HealthSaveLoadRouter extends SaveLoadRouter { + getHandledRoutes(): HandledRoute[]; + handleLoad(profile: IAkiProfile): IAkiProfile; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/save_load/InraidSaveLoadRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/save_load/InraidSaveLoadRouter.d.ts new file mode 100644 index 0000000..7cc9a08 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/save_load/InraidSaveLoadRouter.d.ts @@ -0,0 +1,6 @@ +import { HandledRoute, SaveLoadRouter } from "@spt-aki/di/Router"; +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +export declare class InraidSaveLoadRouter extends SaveLoadRouter { + getHandledRoutes(): HandledRoute[]; + handleLoad(profile: IAkiProfile): IAkiProfile; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/save_load/InsuranceSaveLoadRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/save_load/InsuranceSaveLoadRouter.d.ts new file mode 100644 index 0000000..af5222a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/save_load/InsuranceSaveLoadRouter.d.ts @@ -0,0 +1,6 @@ +import { HandledRoute, SaveLoadRouter } from "@spt-aki/di/Router"; +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +export declare class InsuranceSaveLoadRouter extends SaveLoadRouter { + getHandledRoutes(): HandledRoute[]; + handleLoad(profile: IAkiProfile): IAkiProfile; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/save_load/ProfileSaveLoadRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/save_load/ProfileSaveLoadRouter.d.ts new file mode 100644 index 0000000..8047834 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/save_load/ProfileSaveLoadRouter.d.ts @@ -0,0 +1,6 @@ +import { HandledRoute, SaveLoadRouter } from "@spt-aki/di/Router"; +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +export declare class ProfileSaveLoadRouter extends SaveLoadRouter { + getHandledRoutes(): HandledRoute[]; + handleLoad(profile: IAkiProfile): IAkiProfile; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/serializers/BundleSerializer.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/serializers/BundleSerializer.d.ts new file mode 100644 index 0000000..52db030 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/serializers/BundleSerializer.d.ts @@ -0,0 +1,14 @@ +/// +import { IncomingMessage, ServerResponse } from "node:http"; +import { Serializer } from "@spt-aki/di/Serializer"; +import { BundleLoader } from "@spt-aki/loaders/BundleLoader"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { HttpFileUtil } from "@spt-aki/utils/HttpFileUtil"; +export declare class BundleSerializer extends Serializer { + protected logger: ILogger; + protected bundleLoader: BundleLoader; + protected httpFileUtil: HttpFileUtil; + constructor(logger: ILogger, bundleLoader: BundleLoader, httpFileUtil: HttpFileUtil); + serialize(sessionID: string, req: IncomingMessage, resp: ServerResponse, body: any): void; + canHandle(route: string): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/serializers/ImageSerializer.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/serializers/ImageSerializer.d.ts new file mode 100644 index 0000000..3b1ff6d --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/serializers/ImageSerializer.d.ts @@ -0,0 +1,10 @@ +/// +import { IncomingMessage, ServerResponse } from "node:http"; +import { Serializer } from "@spt-aki/di/Serializer"; +import { ImageRouter } from "@spt-aki/routers/ImageRouter"; +export declare class ImageSerializer extends Serializer { + protected imageRouter: ImageRouter; + constructor(imageRouter: ImageRouter); + serialize(sessionID: string, req: IncomingMessage, resp: ServerResponse, body: any): void; + canHandle(route: string): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/serializers/NotifySerializer.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/serializers/NotifySerializer.d.ts new file mode 100644 index 0000000..f8730b6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/serializers/NotifySerializer.d.ts @@ -0,0 +1,14 @@ +/// +import { IncomingMessage, ServerResponse } from "node:http"; +import { NotifierController } from "@spt-aki/controllers/NotifierController"; +import { Serializer } from "@spt-aki/di/Serializer"; +import { HttpServerHelper } from "@spt-aki/helpers/HttpServerHelper"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class NotifySerializer extends Serializer { + protected notifierController: NotifierController; + protected jsonUtil: JsonUtil; + protected httpServerHelper: HttpServerHelper; + constructor(notifierController: NotifierController, jsonUtil: JsonUtil, httpServerHelper: HttpServerHelper); + serialize(_sessionID: string, req: IncomingMessage, resp: ServerResponse, _: any): void; + canHandle(route: string): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/BotStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/BotStaticRouter.d.ts new file mode 100644 index 0000000..e7e9ff5 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/BotStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { BotCallbacks } from "@spt-aki/callbacks/BotCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class BotStaticRouter extends StaticRouter { + protected botCallbacks: BotCallbacks; + constructor(botCallbacks: BotCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/BundleStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/BundleStaticRouter.d.ts new file mode 100644 index 0000000..62056ba --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/BundleStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { BundleCallbacks } from "@spt-aki/callbacks/BundleCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class BundleStaticRouter extends StaticRouter { + protected bundleCallbacks: BundleCallbacks; + constructor(bundleCallbacks: BundleCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/ClientLogStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/ClientLogStaticRouter.d.ts new file mode 100644 index 0000000..6ae3f50 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/ClientLogStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { ClientLogCallbacks } from "@spt-aki/callbacks/ClientLogCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class ClientLogStaticRouter extends StaticRouter { + protected clientLogCallbacks: ClientLogCallbacks; + constructor(clientLogCallbacks: ClientLogCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/CustomizationStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/CustomizationStaticRouter.d.ts new file mode 100644 index 0000000..cebf043 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/CustomizationStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { CustomizationCallbacks } from "@spt-aki/callbacks/CustomizationCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class CustomizationStaticRouter extends StaticRouter { + protected customizationCallbacks: CustomizationCallbacks; + constructor(customizationCallbacks: CustomizationCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/DataStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/DataStaticRouter.d.ts new file mode 100644 index 0000000..7e84ae1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/DataStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { DataCallbacks } from "@spt-aki/callbacks/DataCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class DataStaticRouter extends StaticRouter { + protected dataCallbacks: DataCallbacks; + constructor(dataCallbacks: DataCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/DialogStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/DialogStaticRouter.d.ts new file mode 100644 index 0000000..7f3ef7a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/DialogStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { DialogueCallbacks } from "@spt-aki/callbacks/DialogueCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class DialogStaticRouter extends StaticRouter { + protected dialogueCallbacks: DialogueCallbacks; + constructor(dialogueCallbacks: DialogueCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/GameStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/GameStaticRouter.d.ts new file mode 100644 index 0000000..878f494 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/GameStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { GameCallbacks } from "@spt-aki/callbacks/GameCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class GameStaticRouter extends StaticRouter { + protected gameCallbacks: GameCallbacks; + constructor(gameCallbacks: GameCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/HealthStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/HealthStaticRouter.d.ts new file mode 100644 index 0000000..79dedea --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/HealthStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { HealthCallbacks } from "@spt-aki/callbacks/HealthCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class HealthStaticRouter extends StaticRouter { + protected healthCallbacks: HealthCallbacks; + constructor(healthCallbacks: HealthCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/InraidStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/InraidStaticRouter.d.ts new file mode 100644 index 0000000..eb9c3b1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/InraidStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { InraidCallbacks } from "@spt-aki/callbacks/InraidCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class InraidStaticRouter extends StaticRouter { + protected inraidCallbacks: InraidCallbacks; + constructor(inraidCallbacks: InraidCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/InsuranceStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/InsuranceStaticRouter.d.ts new file mode 100644 index 0000000..58c1583 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/InsuranceStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { InsuranceCallbacks } from "@spt-aki/callbacks/InsuranceCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class InsuranceStaticRouter extends StaticRouter { + protected insuranceCallbacks: InsuranceCallbacks; + constructor(insuranceCallbacks: InsuranceCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/ItemEventStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/ItemEventStaticRouter.d.ts new file mode 100644 index 0000000..772493a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/ItemEventStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { ItemEventCallbacks } from "@spt-aki/callbacks/ItemEventCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class ItemEventStaticRouter extends StaticRouter { + protected itemEventCallbacks: ItemEventCallbacks; + constructor(itemEventCallbacks: ItemEventCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/LauncherStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/LauncherStaticRouter.d.ts new file mode 100644 index 0000000..46a5bd6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/LauncherStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { LauncherCallbacks } from "@spt-aki/callbacks/LauncherCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class LauncherStaticRouter extends StaticRouter { + protected launcherCallbacks: LauncherCallbacks; + constructor(launcherCallbacks: LauncherCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/LocationStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/LocationStaticRouter.d.ts new file mode 100644 index 0000000..f577ba9 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/LocationStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { LocationCallbacks } from "@spt-aki/callbacks/LocationCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class LocationStaticRouter extends StaticRouter { + protected locationCallbacks: LocationCallbacks; + constructor(locationCallbacks: LocationCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/MatchStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/MatchStaticRouter.d.ts new file mode 100644 index 0000000..e26c8bd --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/MatchStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { MatchCallbacks } from "@spt-aki/callbacks/MatchCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class MatchStaticRouter extends StaticRouter { + protected matchCallbacks: MatchCallbacks; + constructor(matchCallbacks: MatchCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/NotifierStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/NotifierStaticRouter.d.ts new file mode 100644 index 0000000..9427d00 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/NotifierStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { NotifierCallbacks } from "@spt-aki/callbacks/NotifierCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class NotifierStaticRouter extends StaticRouter { + protected notifierCallbacks: NotifierCallbacks; + constructor(notifierCallbacks: NotifierCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/PresetStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/PresetStaticRouter.d.ts new file mode 100644 index 0000000..cac8da6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/PresetStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { PresetBuildCallbacks } from "@spt-aki/callbacks/PresetBuildCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class PresetStaticRouter extends StaticRouter { + protected presetCallbacks: PresetBuildCallbacks; + constructor(presetCallbacks: PresetBuildCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/ProfileStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/ProfileStaticRouter.d.ts new file mode 100644 index 0000000..31470f3 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/ProfileStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { ProfileCallbacks } from "@spt-aki/callbacks/ProfileCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class ProfileStaticRouter extends StaticRouter { + protected profileCallbacks: ProfileCallbacks; + constructor(profileCallbacks: ProfileCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/QuestStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/QuestStaticRouter.d.ts new file mode 100644 index 0000000..a505e5c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/QuestStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { QuestCallbacks } from "@spt-aki/callbacks/QuestCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class QuestStaticRouter extends StaticRouter { + protected questCallbacks: QuestCallbacks; + constructor(questCallbacks: QuestCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/RagfairStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/RagfairStaticRouter.d.ts new file mode 100644 index 0000000..e56a9c1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/RagfairStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { RagfairCallbacks } from "@spt-aki/callbacks/RagfairCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class RagfairStaticRouter extends StaticRouter { + protected ragfairCallbacks: RagfairCallbacks; + constructor(ragfairCallbacks: RagfairCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/TraderStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/TraderStaticRouter.d.ts new file mode 100644 index 0000000..1b9cbd1 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/TraderStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { TraderCallbacks } from "@spt-aki/callbacks/TraderCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class TraderStaticRouter extends StaticRouter { + protected traderCallbacks: TraderCallbacks; + constructor(traderCallbacks: TraderCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/routers/static/WeatherStaticRouter.d.ts b/TypeScript/23CustomAbstractChatBot/types/routers/static/WeatherStaticRouter.d.ts new file mode 100644 index 0000000..499f911 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/routers/static/WeatherStaticRouter.d.ts @@ -0,0 +1,6 @@ +import { WeatherCallbacks } from "@spt-aki/callbacks/WeatherCallbacks"; +import { StaticRouter } from "@spt-aki/di/Router"; +export declare class WeatherStaticRouter extends StaticRouter { + protected weatherCallbacks: WeatherCallbacks; + constructor(weatherCallbacks: WeatherCallbacks); +} diff --git a/TypeScript/23CustomAbstractChatBot/types/servers/ConfigServer.d.ts b/TypeScript/23CustomAbstractChatBot/types/servers/ConfigServer.d.ts new file mode 100644 index 0000000..c932dfe --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/servers/ConfigServer.d.ts @@ -0,0 +1,15 @@ +import { ConfigTypes } from "@spt-aki/models/enums/ConfigTypes"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { VFS } from "@spt-aki/utils/VFS"; +export declare class ConfigServer { + protected logger: ILogger; + protected vfs: VFS; + protected jsonUtil: JsonUtil; + protected configs: Record; + protected readonly acceptableFileExtensions: string[]; + constructor(logger: ILogger, vfs: VFS, jsonUtil: JsonUtil); + getConfig(configType: ConfigTypes): T; + getConfigByString(configType: string): T; + initialize(): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/servers/DatabaseServer.d.ts b/TypeScript/23CustomAbstractChatBot/types/servers/DatabaseServer.d.ts new file mode 100644 index 0000000..fc69a61 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/servers/DatabaseServer.d.ts @@ -0,0 +1,6 @@ +import { IDatabaseTables } from "@spt-aki/models/spt/server/IDatabaseTables"; +export declare class DatabaseServer { + protected tableData: IDatabaseTables; + getTables(): IDatabaseTables; + setTables(tableData: IDatabaseTables): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/servers/HttpServer.d.ts b/TypeScript/23CustomAbstractChatBot/types/servers/HttpServer.d.ts new file mode 100644 index 0000000..20b7999 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/servers/HttpServer.d.ts @@ -0,0 +1,29 @@ +/// +import http, { IncomingMessage, ServerResponse } from "node:http"; +import { ApplicationContext } from "@spt-aki/context/ApplicationContext"; +import { HttpServerHelper } from "@spt-aki/helpers/HttpServerHelper"; +import { IHttpConfig } from "@spt-aki/models/spt/config/IHttpConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { WebSocketServer } from "@spt-aki/servers/WebSocketServer"; +import { IHttpListener } from "@spt-aki/servers/http/IHttpListener"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +export declare class HttpServer { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected httpServerHelper: HttpServerHelper; + protected localisationService: LocalisationService; + protected httpListeners: IHttpListener[]; + protected configServer: ConfigServer; + protected applicationContext: ApplicationContext; + protected webSocketServer: WebSocketServer; + protected httpConfig: IHttpConfig; + constructor(logger: ILogger, databaseServer: DatabaseServer, httpServerHelper: HttpServerHelper, localisationService: LocalisationService, httpListeners: IHttpListener[], configServer: ConfigServer, applicationContext: ApplicationContext, webSocketServer: WebSocketServer); + /** + * Handle server loading event + */ + load(): void; + protected handleRequest(req: IncomingMessage, resp: ServerResponse): void; + protected getCookies(req: http.IncomingMessage): Record; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/servers/RagfairServer.d.ts b/TypeScript/23CustomAbstractChatBot/types/servers/RagfairServer.d.ts new file mode 100644 index 0000000..f6f9730 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/servers/RagfairServer.d.ts @@ -0,0 +1,43 @@ +import { RagfairOfferGenerator } from "@spt-aki/generators/RagfairOfferGenerator"; +import { TraderAssortHelper } from "@spt-aki/helpers/TraderAssortHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IRagfairOffer } from "@spt-aki/models/eft/ragfair/IRagfairOffer"; +import { ISearchRequestData } from "@spt-aki/models/eft/ragfair/ISearchRequestData"; +import { IRagfairConfig } from "@spt-aki/models/spt/config/IRagfairConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { RagfairCategoriesService } from "@spt-aki/services/RagfairCategoriesService"; +import { RagfairOfferService } from "@spt-aki/services/RagfairOfferService"; +import { RagfairRequiredItemsService } from "@spt-aki/services/RagfairRequiredItemsService"; +export declare class RagfairServer { + protected logger: ILogger; + protected ragfairOfferGenerator: RagfairOfferGenerator; + protected ragfairOfferService: RagfairOfferService; + protected ragfairCategoriesService: RagfairCategoriesService; + protected ragfairRequiredItemsService: RagfairRequiredItemsService; + protected localisationService: LocalisationService; + protected traderHelper: TraderHelper; + protected traderAssortHelper: TraderAssortHelper; + protected configServer: ConfigServer; + protected ragfairConfig: IRagfairConfig; + constructor(logger: ILogger, ragfairOfferGenerator: RagfairOfferGenerator, ragfairOfferService: RagfairOfferService, ragfairCategoriesService: RagfairCategoriesService, ragfairRequiredItemsService: RagfairRequiredItemsService, localisationService: LocalisationService, traderHelper: TraderHelper, traderAssortHelper: TraderAssortHelper, configServer: ConfigServer); + load(): Promise; + update(): Promise; + /** + * Get traders who need to be periodically refreshed + * @returns string array of traders + */ + getUpdateableTraders(): string[]; + getAllActiveCategories(fleaUnlocked: boolean, searchRequestData: ISearchRequestData, offers: IRagfairOffer[]): Record; + /** + * Disable/Hide an offer from flea + * @param offerId + */ + hideOffer(offerId: string): void; + getOffer(offerID: string): IRagfairOffer; + getOffers(): IRagfairOffer[]; + removeOfferStack(offerID: string, amount: number): void; + doesOfferExist(offerId: string): boolean; + addPlayerOffers(): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/servers/SaveServer.d.ts b/TypeScript/23CustomAbstractChatBot/types/servers/SaveServer.d.ts new file mode 100644 index 0000000..88a9b26 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/servers/SaveServer.d.ts @@ -0,0 +1,86 @@ +import { SaveLoadRouter } from "@spt-aki/di/Router"; +import { IAkiProfile, Info } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { VFS } from "@spt-aki/utils/VFS"; +import { ConfigServer } from "./ConfigServer"; +export declare class SaveServer { + protected vfs: VFS; + protected saveLoadRouters: SaveLoadRouter[]; + protected jsonUtil: JsonUtil; + protected hashUtil: HashUtil; + protected localisationService: LocalisationService; + protected logger: ILogger; + protected configServer: ConfigServer; + protected profileFilepath: string; + protected profiles: {}; + protected onBeforeSaveCallbacks: {}; + protected saveMd5: {}; + constructor(vfs: VFS, saveLoadRouters: SaveLoadRouter[], jsonUtil: JsonUtil, hashUtil: HashUtil, localisationService: LocalisationService, logger: ILogger, configServer: ConfigServer); + /** + * Add callback to occur prior to saving profile changes + * @param id Id for save callback + * @param callback Callback to execute prior to running SaveServer.saveProfile() + */ + addBeforeSaveCallback(id: string, callback: (profile: Partial) => Partial): void; + /** + * Remove a callback from being executed prior to saving profile in SaveServer.saveProfile() + * @param id Id of callback to remove + */ + removeBeforeSaveCallback(id: string): void; + /** + * Load all profiles in /user/profiles folder into memory (this.profiles) + */ + load(): void; + /** + * Save changes for each profile from memory into user/profiles json + */ + save(): void; + /** + * Get a player profile from memory + * @param sessionId Session id + * @returns IAkiProfile + */ + getProfile(sessionId: string): IAkiProfile; + /** + * Get all profiles from memory + * @returns Dictionary of IAkiProfile + */ + getProfiles(): Record; + /** + * Delete a profile by id + * @param sessionID Id of profile to remove + * @returns true when deleted, false when profile not found + */ + deleteProfileById(sessionID: string): boolean; + /** + * Create a new profile in memory with empty pmc/scav objects + * @param profileInfo Basic profile data + */ + createProfile(profileInfo: Info): void; + /** + * Add full profile in memory by key (info.id) + * @param profileDetails Profile to save + */ + addProfile(profileDetails: IAkiProfile): void; + /** + * Look up profile json in user/profiles by id and store in memory + * Execute saveLoadRouters callbacks after being loaded into memory + * @param sessionID Id of profile to store in memory + */ + loadProfile(sessionID: string): void; + /** + * Save changes from in-memory profile to user/profiles json + * Execute onBeforeSaveCallbacks callbacks prior to being saved to json + * @param sessionID profile id (user/profiles/id.json) + */ + saveProfile(sessionID: string): void; + /** + * Remove a physical profile json from user/profiles + * @param sessionID Profile id to remove + * @returns true if file no longer exists + */ + removeProfile(sessionID: string): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/servers/WebSocketServer.d.ts b/TypeScript/23CustomAbstractChatBot/types/servers/WebSocketServer.d.ts new file mode 100644 index 0000000..e0bf025 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/servers/WebSocketServer.d.ts @@ -0,0 +1,31 @@ +/// +import http, { IncomingMessage } from "node:http"; +import WebSocket from "ws"; +import { HttpServerHelper } from "@spt-aki/helpers/HttpServerHelper"; +import { INotification } from "@spt-aki/models/eft/notifier/INotifier"; +import { IHttpConfig } from "@spt-aki/models/spt/config/IHttpConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +export declare class WebSocketServer { + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected configServer: ConfigServer; + protected localisationService: LocalisationService; + protected jsonUtil: JsonUtil; + protected httpServerHelper: HttpServerHelper; + protected profileHelper: ProfileHelper; + constructor(logger: ILogger, randomUtil: RandomUtil, configServer: ConfigServer, localisationService: LocalisationService, jsonUtil: JsonUtil, httpServerHelper: HttpServerHelper, profileHelper: ProfileHelper); + protected httpConfig: IHttpConfig; + protected defaultNotification: INotification; + protected webSockets: Record; + protected websocketPingHandler: any; + setupWebSocket(httpServer: http.Server): void; + sendMessage(sessionID: string, output: INotification): void; + protected getRandomisedMessage(): string; + isConnectionWebSocket(sessionID: string): boolean; + protected wsOnConnection(ws: WebSocket.WebSocket, req: IncomingMessage): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/servers/http/AkiHttpListener.d.ts b/TypeScript/23CustomAbstractChatBot/types/servers/http/AkiHttpListener.d.ts new file mode 100644 index 0000000..9499884 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/servers/http/AkiHttpListener.d.ts @@ -0,0 +1,36 @@ +/// +/// +import { IncomingMessage, ServerResponse } from "node:http"; +import { Serializer } from "@spt-aki/di/Serializer"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { HttpRouter } from "@spt-aki/routers/HttpRouter"; +import { IHttpListener } from "@spt-aki/servers/http/IHttpListener"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class AkiHttpListener implements IHttpListener { + protected httpRouter: HttpRouter; + protected serializers: Serializer[]; + protected logger: ILogger; + protected requestsLogger: ILogger; + protected jsonUtil: JsonUtil; + protected httpResponse: HttpResponseUtil; + protected localisationService: LocalisationService; + constructor(httpRouter: HttpRouter, // TODO: delay required + serializers: Serializer[], logger: ILogger, requestsLogger: ILogger, jsonUtil: JsonUtil, httpResponse: HttpResponseUtil, localisationService: LocalisationService); + canHandle(_: string, req: IncomingMessage): boolean; + handle(sessionId: string, req: IncomingMessage, resp: ServerResponse): void; + /** + * Send http response to the client + * @param sessionID Player id + * @param req Incoming request + * @param resp Outgoing response + * @param body Buffer + * @param output Server generated response data + */ + sendResponse(sessionID: string, req: IncomingMessage, resp: ServerResponse, body: Buffer, output: string): void; + getResponse(sessionID: string, req: IncomingMessage, body: Buffer): string; + protected getBodyInfo(body: Buffer, requestUrl?: any): any; + sendJson(resp: ServerResponse, output: string, sessionID: string): void; + sendZlibJson(resp: ServerResponse, output: string, sessionID: string): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/servers/http/HttpMethods.d.ts b/TypeScript/23CustomAbstractChatBot/types/servers/http/HttpMethods.d.ts new file mode 100644 index 0000000..96031e2 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/servers/http/HttpMethods.d.ts @@ -0,0 +1,8 @@ +export declare enum HttpMethods { + OPTIONS = "OPTIONS", + GET = "GET", + POST = "POST", + PUT = "PUT", + PATCH = "PATCH", + DELETE = "DELETE" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/servers/http/IHttpListener.d.ts b/TypeScript/23CustomAbstractChatBot/types/servers/http/IHttpListener.d.ts new file mode 100644 index 0000000..29d5fce --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/servers/http/IHttpListener.d.ts @@ -0,0 +1,6 @@ +/// +import { IncomingMessage, ServerResponse } from "node:http"; +export interface IHttpListener { + canHandle(sessionId: string, req: IncomingMessage): boolean; + handle(sessionId: string, req: IncomingMessage, resp: ServerResponse): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/BotEquipmentFilterService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/BotEquipmentFilterService.d.ts new file mode 100644 index 0000000..f0cc787 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/BotEquipmentFilterService.d.ts @@ -0,0 +1,99 @@ +import { BotHelper } from "@spt-aki/helpers/BotHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { EquipmentChances, Generation, GenerationData, IBotType, ModsChances } from "@spt-aki/models/eft/common/tables/IBotType"; +import { BotGenerationDetails } from "@spt-aki/models/spt/bots/BotGenerationDetails"; +import { AdjustmentDetails, EquipmentFilterDetails, EquipmentFilters, IBotConfig, WeightingAdjustmentDetails } from "@spt-aki/models/spt/config/IBotConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +export declare class BotEquipmentFilterService { + protected logger: ILogger; + protected botHelper: BotHelper; + protected profileHelper: ProfileHelper; + protected configServer: ConfigServer; + protected botConfig: IBotConfig; + protected botEquipmentConfig: Record; + constructor(logger: ILogger, botHelper: BotHelper, profileHelper: ProfileHelper, configServer: ConfigServer); + /** + * Filter a bots data to exclude equipment and cartridges defines in the botConfig + * @param sessionId Players id + * @param baseBotNode bots json data to filter + * @param botLevel Level of the bot + * @param botGenerationDetails details on how to generate a bot + */ + filterBotEquipment(sessionId: string, baseBotNode: IBotType, botLevel: number, botGenerationDetails: BotGenerationDetails): void; + /** + * Iterate over the changes passed in and apply them to baseValues parameter + * @param equipmentChanges Changes to apply + * @param baseValues data to update + */ + protected adjustChances(equipmentChanges: Record, baseValues: EquipmentChances | ModsChances): void; + /** + * Iterate over the Generation changes and alter data in baseValues.Generation + * @param generationChanges Changes to apply + * @param baseBotGeneration dictionary to update + */ + protected adjustGenerationChances(generationChanges: Record, baseBotGeneration: Generation): void; + /** + * Get equipment settings for bot + * @param botEquipmentRole equipment role to return + * @returns EquipmentFilters object + */ + getBotEquipmentSettings(botEquipmentRole: string): EquipmentFilters; + /** + * Get weapon sight whitelist for a specific bot type + * @param botEquipmentRole equipment role of bot to look up + * @returns Dictionary of weapon type and their whitelisted scope types + */ + getBotWeaponSightWhitelist(botEquipmentRole: string): Record; + /** + * Get an object that contains equipment and cartridge blacklists for a specified bot type + * @param botRole Role of the bot we want the blacklist for + * @param playerLevel Level of the player + * @returns EquipmentBlacklistDetails object + */ + getBotEquipmentBlacklist(botRole: string, playerLevel: number): EquipmentFilterDetails; + /** + * Get the whitelist for a specific bot type that's within the players level + * @param botRole Bot type + * @param playerLevel Players level + * @returns EquipmentFilterDetails object + */ + protected getBotEquipmentWhitelist(botRole: string, playerLevel: number): EquipmentFilterDetails; + /** + * Retrieve item weighting adjustments from bot.json config based on bot level + * @param botRole Bot type to get adjustments for + * @param botLevel Level of bot + * @returns Weighting adjustments for bot items + */ + protected getBotWeightingAdjustments(botRole: string, botLevel: number): WeightingAdjustmentDetails; + /** + * Retrieve item weighting adjustments from bot.json config based on player level + * @param botRole Bot type to get adjustments for + * @param playerlevel Level of bot + * @returns Weighting adjustments for bot items + */ + protected getBotWeightingAdjustmentsByPlayerLevel(botRole: string, playerlevel: number): WeightingAdjustmentDetails; + /** + * Filter bot equipment based on blacklist and whitelist from config/bot.json + * Prioritizes whitelist first, if one is found blacklist is ignored + * @param baseBotNode bot .json file to update + * @param blacklist equipment blacklist + * @returns Filtered bot file + */ + protected filterEquipment(baseBotNode: IBotType, blacklist: EquipmentFilterDetails, whitelist: EquipmentFilterDetails): void; + /** + * Filter bot cartridges based on blacklist and whitelist from config/bot.json + * Prioritizes whitelist first, if one is found blacklist is ignored + * @param baseBotNode bot .json file to update + * @param blacklist equipment on this list should be excluded from the bot + * @param whitelist equipment on this list should be used exclusively + * @returns Filtered bot file + */ + protected filterCartridges(baseBotNode: IBotType, blacklist: EquipmentFilterDetails, whitelist: EquipmentFilterDetails): void; + /** + * Add/Edit weighting changes to bot items using values from config/bot.json/equipment + * @param weightingAdjustments Weighting change to apply to bot + * @param botItemPool Bot item dictionary to adjust + */ + protected adjustWeighting(weightingAdjustments: AdjustmentDetails, botItemPool: Record, showEditWarnings?: boolean): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/BotEquipmentModPoolService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/BotEquipmentModPoolService.d.ts new file mode 100644 index 0000000..8cca127 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/BotEquipmentModPoolService.d.ts @@ -0,0 +1,67 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { Mods } from "@spt-aki/models/eft/common/tables/IBotType"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { IBotConfig } from "@spt-aki/models/spt/config/IBotConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { VFS } from "@spt-aki/utils/VFS"; +/** Store a mapping between weapons, their slots and the items that fit those slots */ +export declare class BotEquipmentModPoolService { + protected logger: ILogger; + protected vfs: VFS; + protected itemHelper: ItemHelper; + protected databaseServer: DatabaseServer; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected botConfig: IBotConfig; + protected weaponModPool: Mods; + protected gearModPool: Mods; + protected weaponPoolGenerated: boolean; + protected armorPoolGenerated: boolean; + constructor(logger: ILogger, vfs: VFS, itemHelper: ItemHelper, databaseServer: DatabaseServer, localisationService: LocalisationService, configServer: ConfigServer); + /** + * Store dictionary of mods for each item passed in + * @param items items to find related mods and store in modPool + */ + protected generatePool(items: ITemplateItem[], poolType: string): void; + /** + * Empty the mod pool + */ + resetPool(): void; + /** + * Get array of compatible mods for an items mod slot (generate pool if it doesnt exist already) + * @param itemTpl item to look up + * @param slotName slot to get compatible mods for + * @returns tpls that fit the slot + */ + getCompatibleModsForWeaponSlot(itemTpl: string, slotName: string): string[]; + /** + * Get array of compatible mods for an items mod slot (generate pool if it doesnt exist already) + * @param itemTpl item to look up + * @param slotName slot to get compatible mods for + * @returns tpls that fit the slot + */ + getCompatibleModsFoGearSlot(itemTpl: string, slotName: string): string[]; + /** + * Get mods for a piece of gear by its tpl + * @param itemTpl items tpl to look up mods for + * @returns Dictionary of mods (keys are mod slot names) with array of compatible mod tpls as value + */ + getModsForGearSlot(itemTpl: string): Record; + /** + * Get mods for a weapon by its tpl + * @param itemTpl Weapons tpl to look up mods for + * @returns Dictionary of mods (keys are mod slot names) with array of compatible mod tpls as value + */ + getModsForWeaponSlot(itemTpl: string): Record; + /** + * Create weapon mod pool and set generated flag to true + */ + protected generateWeaponPool(): void; + /** + * Create gear mod pool and set generated flag to true + */ + protected generateGearPool(): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/BotGenerationCacheService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/BotGenerationCacheService.d.ts new file mode 100644 index 0000000..fb84ede --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/BotGenerationCacheService.d.ts @@ -0,0 +1,36 @@ +import { BotHelper } from "@spt-aki/helpers/BotHelper"; +import { IBotBase } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class BotGenerationCacheService { + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected jsonUtil: JsonUtil; + protected localisationService: LocalisationService; + protected botHelper: BotHelper; + protected storedBots: Map; + constructor(logger: ILogger, randomUtil: RandomUtil, jsonUtil: JsonUtil, localisationService: LocalisationService, botHelper: BotHelper); + /** + * Store array of bots in cache, shuffle results before storage + * @param botsToStore Bots we want to store in the cache + */ + storeBots(key: string, botsToStore: IBotBase[]): void; + /** + * Find and return a bot based on its role + * Remove bot from internal array so it can't be retreived again + * @param key role to retreive (assault/bossTagilla etc) + * @returns IBotBase object + */ + getBot(key: string): IBotBase; + /** + * Remove all cached bot profiles from memory + */ + clearStoredBots(): void; + /** + * Does cache have a bot with requested key + * @returns false if empty + */ + cacheHasBotOfRole(key: string): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/BotLootCacheService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/BotLootCacheService.d.ts new file mode 100644 index 0000000..a2205f3 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/BotLootCacheService.d.ts @@ -0,0 +1,97 @@ +import { PMCLootGenerator } from "@spt-aki/generators/PMCLootGenerator"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { IBotType } from "@spt-aki/models/eft/common/tables/IBotType"; +import { ITemplateItem, Props } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { IBotLootCache, LootCacheType } from "@spt-aki/models/spt/bots/IBotLootCache"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { RagfairPriceService } from "@spt-aki/services/RagfairPriceService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class BotLootCacheService { + protected logger: ILogger; + protected jsonUtil: JsonUtil; + protected itemHelper: ItemHelper; + protected databaseServer: DatabaseServer; + protected pmcLootGenerator: PMCLootGenerator; + protected localisationService: LocalisationService; + protected ragfairPriceService: RagfairPriceService; + protected lootCache: Record; + constructor(logger: ILogger, jsonUtil: JsonUtil, itemHelper: ItemHelper, databaseServer: DatabaseServer, pmcLootGenerator: PMCLootGenerator, localisationService: LocalisationService, ragfairPriceService: RagfairPriceService); + /** + * Remove cached bot loot data + */ + clearCache(): void; + /** + * Get the fully created loot array, ordered by price low to high + * @param botRole bot to get loot for + * @param isPmc is the bot a pmc + * @param lootType what type of loot is needed (backpack/pocket/stim/vest etc) + * @param botJsonTemplate Base json db file for the bot having its loot generated + * @returns ITemplateItem array + */ + getLootFromCache(botRole: string, isPmc: boolean, lootType: LootCacheType, botJsonTemplate: IBotType): ITemplateItem[]; + /** + * Generate loot for a bot and store inside a private class property + * @param botRole bots role (assault / pmcBot etc) + * @param isPmc Is the bot a PMC (alteres what loot is cached) + * @param botJsonTemplate db template for bot having its loot generated + */ + protected addLootToCache(botRole: string, isPmc: boolean, botJsonTemplate: IBotType): void; + /** + * Sort a pool of item objects by its flea price + * @param poolToSort pool of items to sort + */ + protected sortPoolByRagfairPrice(poolToSort: ITemplateItem[]): void; + /** + * Add unique items into combined pool + * @param combinedItemPool Pool of items to add to + * @param itemsToAdd items to add to combined pool if unique + */ + protected addUniqueItemsToPool(combinedItemPool: ITemplateItem[], itemsToAdd: ITemplateItem[]): void; + /** + * Ammo/grenades have this property + * @param props + * @returns + */ + protected isBulletOrGrenade(props: Props): boolean; + /** + * Internal and external magazine have this property + * @param props + * @returns + */ + protected isMagazine(props: Props): boolean; + /** + * Medical use items (e.g. morphine/lip balm/grizzly) + * @param props + * @returns + */ + protected isMedicalItem(props: Props): boolean; + /** + * Grenades have this property (e.g. smoke/frag/flash grenades) + * @param props + * @returns + */ + protected isGrenade(props: Props): boolean; + /** + * Check if a bot type exists inside the loot cache + * @param botRole role to check for + * @returns true if they exist + */ + protected botRoleExistsInCache(botRole: string): boolean; + /** + * If lootcache is null, init with empty property arrays + * @param botRole Bot role to hydrate + */ + protected initCacheForBotRole(botRole: string): void; + /** + * Compares two item prices by their flea (or handbook if that doesnt exist) price + * -1 when a < b + * 0 when a === b + * 1 when a > b + * @param itemAPrice + * @param itemBPrice + * @returns + */ + protected compareByValue(itemAPrice: number, itemBPrice: number): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/BotWeaponModLimitService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/BotWeaponModLimitService.d.ts new file mode 100644 index 0000000..cf530a9 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/BotWeaponModLimitService.d.ts @@ -0,0 +1,54 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { IBotConfig } from "@spt-aki/models/spt/config/IBotConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +export declare class BotModLimits { + scope: ItemCount; + scopeMax: number; + scopeBaseTypes: string[]; + flashlightLaser: ItemCount; + flashlightLaserMax: number; + flashlgihtLaserBaseTypes: string[]; +} +export declare class ItemCount { + count: number; +} +export declare class BotWeaponModLimitService { + protected logger: ILogger; + protected configServer: ConfigServer; + protected itemHelper: ItemHelper; + protected botConfig: IBotConfig; + constructor(logger: ILogger, configServer: ConfigServer, itemHelper: ItemHelper); + /** + * Initalise mod limits to be used when generating a weapon + * @param botRole "assault", "bossTagilla" or "pmc" + * @returns BotModLimits object + */ + getWeaponModLimits(botRole: string): BotModLimits; + /** + * Check if weapon mod item is on limited list + has surpassed the limit set for it + * Exception: Always allow ncstar backup mount + * Exception: Always allow scopes with a scope for a parent + * Exception: Always disallow mounts that hold only scopes once scope limit reached + * Exception: Always disallow mounts that hold only flashlights once flashlight limit reached + * @param botRole role the bot has e.g. assault + * @param modTemplate mods template data + * @param modLimits limits set for weapon being generated for this bot + * @param modsParent The parent of the mod to be checked + * @returns true if over item limit + */ + weaponModHasReachedLimit(botRole: string, modTemplate: ITemplateItem, modLimits: BotModLimits, modsParent: ITemplateItem, weapon: Item[]): boolean; + /** + * Check if the specific item type on the weapon has reached the set limit + * @param modTpl log mod tpl if over type limit + * @param currentCount current number of this item on gun + * @param maxLimit mod limit allowed + * @param botRole role of bot we're checking weapon of + * @returns true if limit reached + */ + protected weaponModLimitReached(modTpl: string, currentCount: { + count: number; + }, maxLimit: number, botRole: string): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/CustomLocationWaveService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/CustomLocationWaveService.d.ts new file mode 100644 index 0000000..f32c082 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/CustomLocationWaveService.d.ts @@ -0,0 +1,42 @@ +import { BossLocationSpawn, Wave } from "@spt-aki/models/eft/common/ILocationBase"; +import { ILocationConfig } from "@spt-aki/models/spt/config/ILocationConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class CustomLocationWaveService { + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected jsonUtil: JsonUtil; + protected databaseServer: DatabaseServer; + protected configServer: ConfigServer; + protected locationConfig: ILocationConfig; + constructor(logger: ILogger, randomUtil: RandomUtil, jsonUtil: JsonUtil, databaseServer: DatabaseServer, configServer: ConfigServer); + /** + * Add a boss wave to a map + * @param locationId e.g. factory4_day, bigmap + * @param waveToAdd Boss wave to add to map + */ + addBossWaveToMap(locationId: string, waveToAdd: BossLocationSpawn): void; + /** + * Add a normal bot wave to a map + * @param locationId e.g. factory4_day, bigmap + * @param waveToAdd Wave to add to map + */ + addNormalWaveToMap(locationId: string, waveToAdd: Wave): void; + /** + * Clear all custom boss waves from a map + * @param locationId e.g. factory4_day, bigmap + */ + clearBossWavesForMap(locationId: string): void; + /** + * Clear all custom normal waves from a map + * @param locationId e.g. factory4_day, bigmap + */ + clearNormalWavesForMap(locationId: string): void; + /** + * Add custom boss and normal waves to maps found in config/location.json to db + */ + applyWaveChangesToAllMaps(): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/FenceService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/FenceService.d.ts new file mode 100644 index 0000000..63cd726 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/FenceService.d.ts @@ -0,0 +1,203 @@ +import { HandbookHelper } from "@spt-aki/helpers/HandbookHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { PresetHelper } from "@spt-aki/helpers/PresetHelper"; +import { IFenceLevel, IPreset } from "@spt-aki/models/eft/common/IGlobals"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { ITraderAssort } from "@spt-aki/models/eft/common/tables/ITrader"; +import { ITraderConfig } from "@spt-aki/models/spt/config/ITraderConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { ItemFilterService } from "@spt-aki/services/ItemFilterService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +/** + * Handle actions surrounding Fence + * e.g. generating or refreshing assorts / get next refresh time + */ +export declare class FenceService { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected jsonUtil: JsonUtil; + protected timeUtil: TimeUtil; + protected randomUtil: RandomUtil; + protected databaseServer: DatabaseServer; + protected handbookHelper: HandbookHelper; + protected itemHelper: ItemHelper; + protected presetHelper: PresetHelper; + protected itemFilterService: ItemFilterService; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + /** Main assorts you see at all rep levels */ + protected fenceAssort: ITraderAssort; + /** Assorts shown on a separte tab when you max out fence rep */ + protected fenceDiscountAssort: ITraderAssort; + protected traderConfig: ITraderConfig; + protected nextMiniRefreshTimestamp: number; + constructor(logger: ILogger, hashUtil: HashUtil, jsonUtil: JsonUtil, timeUtil: TimeUtil, randomUtil: RandomUtil, databaseServer: DatabaseServer, handbookHelper: HandbookHelper, itemHelper: ItemHelper, presetHelper: PresetHelper, itemFilterService: ItemFilterService, localisationService: LocalisationService, configServer: ConfigServer); + /** + * Replace main fence assort with new assort + * @param assort New assorts to replace old with + */ + setFenceAssort(assort: ITraderAssort): void; + /** + * Replace high rep level fence assort with new assort + * @param assort New assorts to replace old with + */ + setFenceDiscountAssort(assort: ITraderAssort): void; + /** + * Get assorts player can purchase + * Adjust prices based on fence level of player + * @param pmcProfile Player profile + * @returns ITraderAssort + */ + getFenceAssorts(pmcProfile: IPmcData): ITraderAssort; + /** + * Adjust all items contained inside an assort by a multiplier + * @param assort Assort that contains items with prices to adjust + * @param itemMultipler multipler to use on items + * @param presetMultiplier preset multipler to use on presets + */ + protected adjustAssortItemPrices(assort: ITraderAssort, itemMultipler: number, presetMultiplier: number): void; + /** + * Merge two trader assort files together + * @param firstAssort assort 1# + * @param secondAssort assort #2 + * @returns merged assort + */ + protected mergeAssorts(firstAssort: ITraderAssort, secondAssort: ITraderAssort): ITraderAssort; + /** + * Adjust assorts price by a modifier + * @param item assort item details + * @param assort assort to be modified + * @param modifier value to multiply item price by + * @param presetModifier value to multiply preset price by + */ + protected adjustItemPriceByModifier(item: Item, assort: ITraderAssort, modifier: number, presetModifier: number): void; + /** + * Get fence assorts with no price adjustments based on fence rep + * @returns ITraderAssort + */ + getRawFenceAssorts(): ITraderAssort; + /** + * Does fence need to perform a partial refresh because its passed the refresh timer defined in trader.json + * @returns true if it needs a partial refresh + */ + needsPartialRefresh(): boolean; + /** + * Replace a percentage of fence assorts with freshly generated items + */ + performPartialRefresh(): void; + /** + * Increment fence next refresh timestamp by current timestamp + partialRefreshTimeSeconds from config + */ + protected incrementPartialRefreshTime(): void; + /** + * Compare the current fence offer count to what the config wants it to be, + * If value is lower add extra count to value to generate more items to fill gap + * @param existingItemCountToReplace count of items to generate + * @returns number of items to generate + */ + protected getCountOfItemsToGenerate(existingItemCountToReplace: number): number; + /** + * Choose an item (not mod) at random and remove from assorts + * @param assort Items to remove from + */ + protected removeRandomItemFromAssorts(assort: ITraderAssort): void; + /** + * Get an integer rounded count of items to replace based on percentrage from traderConfig value + * @param totalItemCount total item count + * @returns rounded int of items to replace + */ + protected getCountOfItemsToReplace(totalItemCount: number): number; + /** + * Get the count of items fence offers + * @returns number + */ + getOfferCount(): number; + /** + * Create trader assorts for fence and store in fenceService cache + */ + generateFenceAssorts(): void; + /** + * Create skeleton to hold assort items + * @returns ITraderAssort object + */ + protected createBaseTraderAssortItem(): ITraderAssort; + /** + * Hydrate assorts parameter object with generated assorts + * @param assortCount Number of assorts to generate + * @param assorts object to add created assorts to + */ + protected createAssorts(assortCount: number, assorts: ITraderAssort, loyaltyLevel: number): void; + protected addItemAssorts(assortCount: number, fenceAssortIds: string[], assorts: ITraderAssort, fenceAssort: ITraderAssort, itemTypeCounts: Record, loyaltyLevel: number): void; + /** + * Get stack size of a singular item (no mods) + * @param itemDbDetails item being added to fence + * @returns Stack size + */ + protected getSingleItemStackCount(itemDbDetails: ITemplateItem): number; + /** + * Add preset weapons to fence presets + * @param assortCount how many assorts to add to assorts + * @param defaultWeaponPresets a dictionary of default weapon presets + * @param assorts object to add presets to + * @param loyaltyLevel loyalty level to requre item at + */ + protected addPresets(desiredPresetCount: number, defaultWeaponPresets: Record, assorts: ITraderAssort, loyaltyLevel: number): void; + /** + * Remove parts of a weapon prior to being listed on flea + * @param weaponAndMods Weapon to remove parts from + */ + protected removeRandomPartsOfWeapon(weaponAndMods: Item[]): void; + /** + * Roll % chance check to see if item should be removed + * @param weaponMod Weapon mod being checked + * @param itemsBeingDeleted Current list of items on weapon being deleted + * @returns True if item will be removed + */ + protected presetModItemWillBeRemoved(weaponMod: Item, itemsBeingDeleted: string[]): boolean; + /** + * Randomise items' upd properties e.g. med packs/weapons/armor + * @param itemDetails Item being randomised + * @param itemToAdjust Item being edited + */ + protected randomiseItemUpdProperties(itemDetails: ITemplateItem, itemToAdjust: Item): void; + /** + * Construct item limit record to hold max and current item count + * @param limits limits as defined in config + * @returns record, key: item tplId, value: current/max item count allowed + */ + protected initItemLimitCounter(limits: Record): Record; + /** + * Get the next update timestamp for fence + * @returns future timestamp + */ + getNextFenceUpdateTimestamp(): number; + /** + * Get fence refresh time in seconds + */ + protected getFenceRefreshTime(): number; + /** + * Get fence level the passed in profile has + * @param pmcData Player profile + * @returns FenceLevel object + */ + getFenceInfo(pmcData: IPmcData): IFenceLevel; + /** + * Remove an assort from fence by id + * @param assortIdToRemove assort id to remove from fence assorts + */ + removeFenceOffer(assortIdToRemove: string): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/GiftService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/GiftService.d.ts new file mode 100644 index 0000000..2dbf09a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/GiftService.d.ts @@ -0,0 +1,50 @@ +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { GiftSentResult } from "@spt-aki/models/enums/GiftSentResult"; +import { MessageType } from "@spt-aki/models/enums/MessageType"; +import { Gift, IGiftsConfig } from "@spt-aki/models/spt/config/IGiftsConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class GiftService { + protected logger: ILogger; + protected mailSendService: MailSendService; + protected hashUtil: HashUtil; + protected timeUtil: TimeUtil; + protected profileHelper: ProfileHelper; + protected configServer: ConfigServer; + protected giftConfig: IGiftsConfig; + constructor(logger: ILogger, mailSendService: MailSendService, hashUtil: HashUtil, timeUtil: TimeUtil, profileHelper: ProfileHelper, configServer: ConfigServer); + /** + * Does a gift with a specific ID exist in db + * @param giftId Gift id to check for + * @returns True if it exists in db + */ + giftExists(giftId: string): boolean; + /** + * Send player a gift from a range of sources + * @param playerId Player to send gift to / sessionId + * @param giftId Id of gift in configs/gifts.json to send player + * @returns outcome of sending gift to player + */ + sendGiftToPlayer(playerId: string, giftId: string): GiftSentResult; + /** + * Get sender id based on gifts sender type enum + * @param giftData Gift to send player + * @returns trader/user/system id + */ + protected getSenderId(giftData: Gift): string; + /** + * Convert GiftSenderType into a dialog MessageType + * @param giftData Gift to send player + * @returns MessageType enum value + */ + protected getMessageType(giftData: Gift): MessageType; + /** + * Prapor sends gifts to player for first week after profile creation + * @param sessionId Player id + * @param day What day to give gift for + */ + sendPraporStartingGift(sessionId: string, day: number): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/HashCacheService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/HashCacheService.d.ts new file mode 100644 index 0000000..0097c96 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/HashCacheService.d.ts @@ -0,0 +1,30 @@ +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { VFS } from "@spt-aki/utils/VFS"; +export declare class HashCacheService { + protected vfs: VFS; + protected hashUtil: HashUtil; + protected jsonUtil: JsonUtil; + protected logger: ILogger; + protected jsonHashes: any; + protected modHashes: any; + protected readonly modCachePath = "./user/cache/modCache.json"; + constructor(vfs: VFS, hashUtil: HashUtil, jsonUtil: JsonUtil, logger: ILogger); + /** + * Return a stored hash by key + * @param modName Name of mod to get hash for + * @returns Mod hash + */ + getStoredModHash(modName: string): string; + /** + * Does the generated hash match the stored hash + * @param modName name of mod + * @param modContent + * @returns True if they match + */ + modContentMatchesStoredHash(modName: string, modContent: string): boolean; + hashMatchesStoredHash(modName: string, modHash: string): boolean; + storeModContent(modName: string, modContent: string): void; + storeModHash(modName: string, modHash: string): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/InsuranceService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/InsuranceService.d.ts new file mode 100644 index 0000000..fa13e9c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/InsuranceService.d.ts @@ -0,0 +1,159 @@ +import { DialogueHelper } from "@spt-aki/helpers/DialogueHelper"; +import { HandbookHelper } from "@spt-aki/helpers/HandbookHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { SecureContainerHelper } from "@spt-aki/helpers/SecureContainerHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITraderBase } from "@spt-aki/models/eft/common/tables/ITrader"; +import { IInsuredItemsData } from "@spt-aki/models/eft/inRaid/IInsuredItemsData"; +import { ISaveProgressRequestData } from "@spt-aki/models/eft/inRaid/ISaveProgressRequestData"; +import { IInsuranceConfig } from "@spt-aki/models/spt/config/IInsuranceConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { LocaleService } from "@spt-aki/services/LocaleService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { MailSendService } from "@spt-aki/services/MailSendService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class InsuranceService { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected secureContainerHelper: SecureContainerHelper; + protected randomUtil: RandomUtil; + protected itemHelper: ItemHelper; + protected jsonUtil: JsonUtil; + protected timeUtil: TimeUtil; + protected saveServer: SaveServer; + protected traderHelper: TraderHelper; + protected dialogueHelper: DialogueHelper; + protected handbookHelper: HandbookHelper; + protected localisationService: LocalisationService; + protected localeService: LocaleService; + protected mailSendService: MailSendService; + protected configServer: ConfigServer; + protected insured: Record>; + protected insuranceConfig: IInsuranceConfig; + constructor(logger: ILogger, databaseServer: DatabaseServer, secureContainerHelper: SecureContainerHelper, randomUtil: RandomUtil, itemHelper: ItemHelper, jsonUtil: JsonUtil, timeUtil: TimeUtil, saveServer: SaveServer, traderHelper: TraderHelper, dialogueHelper: DialogueHelper, handbookHelper: HandbookHelper, localisationService: LocalisationService, localeService: LocaleService, mailSendService: MailSendService, configServer: ConfigServer); + /** + * Does player have insurance array + * @param sessionId Player id + * @returns True if exists + */ + insuranceExists(sessionId: string): boolean; + /** + * Get all insured items by all traders for a profile + * @param sessionId Profile id (session id) + * @returns Item array + */ + getInsurance(sessionId: string): Record; + /** + * Get insured items by profile id + trader id + * @param sessionId Profile id (session id) + * @param traderId Trader items were insured with + * @returns Item array + */ + getInsuranceItems(sessionId: string, traderId: string): Item[]; + resetInsurance(sessionId: string): void; + /** + * Sends stored insured items as message to player + * @param pmcData profile to send insured items to + * @param sessionID SessionId of current player + * @param mapId Id of the map player died/exited that caused the insurance to be issued on + */ + sendInsuredItems(pmcData: IPmcData, sessionID: string, mapId: string): void; + /** + * Send a message to player informing them gear was lost + * @param sessionId Session id + * @param locationName name of map insurance was lost on + */ + sendLostInsuranceMessage(sessionId: string, locationName?: string): void; + /** + * Check all root insured items and remove location property + set slotId to 'hideout' + * @param sessionId Session id + * @param traderId Trader id + */ + protected removeLocationProperty(sessionId: string, traderId: string): void; + /** + * Get a timestamp of when insurance items should be sent to player based on trader used to insure + * Apply insurance return bonus if found in profile + * @param pmcData Player profile + * @param trader Trader base used to insure items + * @returns Timestamp to return items to player in seconds + */ + protected getInsuranceReturnTimestamp(pmcData: IPmcData, trader: ITraderBase): number; + /** + * Store lost gear post-raid inside profile, ready for later code to pick it up and mail it + * @param pmcData player profile to store gear in + * @param offraidData post-raid request object + * @param preRaidGear gear player wore prior to raid + * @param sessionID Session id + * @param playerDied did the player die in raid + */ + storeLostGear(pmcData: IPmcData, offraidData: ISaveProgressRequestData, preRaidGear: Item[], sessionID: string, playerDied: boolean): void; + /** + * Take preraid item and update properties to ensure its ready to be given to player in insurance return mail + * @param pmcData Player profile + * @param insuredItem Insured items properties + * @param preRaidItem Insured item as it was pre-raid + * @param insuredItemFromClient Item data when player left raid (durability values) + * @returns Item object + */ + protected getInsuredItemDetails(pmcData: IPmcData, preRaidItem: Item, insuredItemFromClient: IInsuredItemsData): Item; + /** + * Reset slotId property to "hideout" when necessary (used to be in ) + * @param pmcData Players pmcData.Inventory.equipment value + * @param itemToReturn item we will send to player as insurance return + */ + protected updateSlotIdValue(playerBaseInventoryEquipmentId: string, itemToReturn: Item): void; + /** + * Create a hash table for an array of items, keyed by items _id + * @param items Items to hash + * @returns Hashtable + */ + protected createItemHashTable(items: Item[]): Record; + /** + * Add gear item to InsuredItems array in player profile + * @param sessionID Session id + * @param pmcData Player profile + * @param itemToReturnToPlayer item to store + * @param traderId Id of trader item was insured with + */ + protected addGearToSend(gear: { + sessionID: string; + pmcData: IPmcData; + itemToReturnToPlayer: Item; + traderId: string; + }): void; + /** + * Does insurance exist for a player and by trader + * @param sessionId Player id (session id) + * @param traderId Trader items insured with + * @returns True if exists + */ + protected insuranceTraderArrayExists(sessionId: string, traderId: string): boolean; + /** + * Empty out array holding insured items by sessionid + traderid + * @param sessionId Player id (session id) + * @param traderId Trader items insured with + */ + resetInsuranceTraderArray(sessionId: string, traderId: string): void; + /** + * Store insured item + * @param sessionId Player id (session id) + * @param traderId Trader item insured with + * @param itemToAdd Insured item + */ + addInsuranceItemToArray(sessionId: string, traderId: string, itemToAdd: Item): void; + /** + * Get price of insurance * multiplier from config + * @param pmcData Player profile + * @param inventoryItem Item to be insured + * @param traderId Trader item is insured with + * @returns price in roubles + */ + getPremium(pmcData: IPmcData, inventoryItem: Item, traderId: string): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/ItemBaseClassService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/ItemBaseClassService.d.ts new file mode 100644 index 0000000..83994ad --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/ItemBaseClassService.d.ts @@ -0,0 +1,40 @@ +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +/** + * Cache the baseids for each item in the tiems db inside a dictionary + */ +export declare class ItemBaseClassService { + protected logger: ILogger; + protected localisationService: LocalisationService; + protected databaseServer: DatabaseServer; + protected itemBaseClassesCache: Record; + protected cacheGenerated: boolean; + constructor(logger: ILogger, localisationService: LocalisationService, databaseServer: DatabaseServer); + /** + * Create cache and store inside ItemBaseClassService + * Store a dict of an items tpl to the base classes it and its parents have + */ + hydrateItemBaseClassCache(): void; + /** + * Helper method, recursivly iterate through items parent items, finding and adding ids to dictionary + * @param itemIdToUpdate item tpl to store base ids against in dictionary + * @param item item being checked + * @param allDbItems all items in db + */ + protected addBaseItems(itemIdToUpdate: string, item: ITemplateItem, allDbItems: Record): void; + /** + * Does item tpl inherit from the requested base class + * @param itemTpl item to check base classes of + * @param baseClass base class to check for + * @returns true if item inherits from base class passed in + */ + itemHasBaseClass(itemTpl: string, baseClasses: string[]): boolean; + /** + * Get base classes item inherits from + * @param itemTpl item to get base classes for + * @returns array of base classes + */ + getItemBaseClasses(itemTpl: string): string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/ItemFilterService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/ItemFilterService.d.ts new file mode 100644 index 0000000..791bb34 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/ItemFilterService.d.ts @@ -0,0 +1,34 @@ +import { IItemConfig } from "@spt-aki/models/spt/config/IItemConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +/** Centralise the handling of blacklisting items, uses blacklist found in config/item.json, stores items that should not be used by players / broken items */ +export declare class ItemFilterService { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected configServer: ConfigServer; + protected itemConfig: IItemConfig; + constructor(logger: ILogger, databaseServer: DatabaseServer, configServer: ConfigServer); + /** + * Check if the provided template id is blacklisted in config/item.json + * @param tpl template id + * @returns true if blacklisted + */ + isItemBlacklisted(tpl: string): boolean; + /** + * Return every template id blacklisted in config/item.json + * @returns string array of blacklisted tempalte ids + */ + getBlacklistedItems(): string[]; + /** + * Check if the provided template id is boss item in config/item.json + * @param tpl template id + * @returns true if boss item + */ + isBossItem(tpl: string): boolean; + /** + * Return boss items in config/item.json + * @returns string array of boss item tempalte ids + */ + getBossItems(): string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/LocaleService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/LocaleService.d.ts new file mode 100644 index 0000000..5ee5540 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/LocaleService.d.ts @@ -0,0 +1,41 @@ +import { ILocaleConfig } from "@spt-aki/models/spt/config/ILocaleConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +/** + * Handles getting locales from config or users machine + */ +export declare class LocaleService { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected configServer: ConfigServer; + protected localeConfig: ILocaleConfig; + constructor(logger: ILogger, databaseServer: DatabaseServer, configServer: ConfigServer); + /** + * Get the eft globals db file based on the configured locale in config/locale.json, if not found, fall back to 'en' + * @returns dictionary + */ + getLocaleDb(): Record; + /** + * Gets the game locale key from the locale.json file, + * if value is 'system' get system locale + * @returns locale e.g en/ge/cz/cn + */ + getDesiredGameLocale(): string; + /** + * Gets the game locale key from the locale.json file, + * if value is 'system' get system locale + * @returns locale e.g en/ge/cz/cn + */ + getDesiredServerLocale(): string; + /** + * Get array of languages supported for localisation + * @returns array of locales e.g. en/fr/cn + */ + getServerSupportedLocales(): string[]; + /** + * Get the locale of the computer running the server + * @returns langage part of locale e.g. 'en' part of 'en-US' + */ + protected getPlatformLocale(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/LocalisationService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/LocalisationService.d.ts new file mode 100644 index 0000000..939db6f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/LocalisationService.d.ts @@ -0,0 +1,36 @@ +import { I18n } from "i18n"; +import { ILocaleConfig } from "@spt-aki/models/spt/config/ILocaleConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocaleService } from "@spt-aki/services/LocaleService"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +/** + * Handles translating server text into different langauges + */ +export declare class LocalisationService { + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected databaseServer: DatabaseServer; + protected localeService: LocaleService; + protected localeConfig: ILocaleConfig; + protected i18n: I18n; + constructor(logger: ILogger, randomUtil: RandomUtil, databaseServer: DatabaseServer, localeService: LocaleService); + /** + * Get a localised value using the passed in key + * @param key Key to loop up locale for + * @param args optional arguments + * @returns Localised string + */ + getText(key: string, args?: any): string; + /** + * Get all locale keys + * @returns string array of keys + */ + getKeys(): string[]; + /** + * From the provided partial key, find all keys that start with text and choose a random match + * @param partialKey Key to match locale keys on + * @returns locale text + */ + getRandomTextThatMatchesPartialKey(partialKey: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/MailSendService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/MailSendService.d.ts new file mode 100644 index 0000000..08752bf --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/MailSendService.d.ts @@ -0,0 +1,129 @@ +import { DialogueHelper } from "@spt-aki/helpers/DialogueHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { NotificationSendHelper } from "@spt-aki/helpers/NotificationSendHelper"; +import { NotifierHelper } from "@spt-aki/helpers/NotifierHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { Dialogue, IUserDialogInfo, Message, MessageItems } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { MessageType } from "@spt-aki/models/enums/MessageType"; +import { Traders } from "@spt-aki/models/enums/Traders"; +import { ISendMessageDetails } from "@spt-aki/models/spt/dialog/ISendMessageDetails"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class MailSendService { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected timeUtil: TimeUtil; + protected saveServer: SaveServer; + protected databaseServer: DatabaseServer; + protected notifierHelper: NotifierHelper; + protected dialogueHelper: DialogueHelper; + protected notificationSendHelper: NotificationSendHelper; + protected localisationService: LocalisationService; + protected itemHelper: ItemHelper; + protected traderHelper: TraderHelper; + protected readonly systemSenderId = "59e7125688a45068a6249071"; + constructor(logger: ILogger, hashUtil: HashUtil, timeUtil: TimeUtil, saveServer: SaveServer, databaseServer: DatabaseServer, notifierHelper: NotifierHelper, dialogueHelper: DialogueHelper, notificationSendHelper: NotificationSendHelper, localisationService: LocalisationService, itemHelper: ItemHelper, traderHelper: TraderHelper); + /** + * Send a message from an NPC (e.g. prapor) to the player with or without items using direct message text, do not look up any locale + * @param sessionId The session ID to send the message to + * @param trader The trader sending the message + * @param messageType What type the message will assume (e.g. QUEST_SUCCESS) + * @param message Text to send to the player + * @param items Optional items to send to player + * @param maxStorageTimeSeconds Optional time to collect items before they expire + */ + sendDirectNpcMessageToPlayer(sessionId: string, trader: Traders, messageType: MessageType, message: string, items?: Item[], maxStorageTimeSeconds?: any, systemData?: any, ragfair?: any): void; + /** + * Send a message from an NPC (e.g. prapor) to the player with or without items + * @param sessionId The session ID to send the message to + * @param trader The trader sending the message + * @param messageType What type the message will assume (e.g. QUEST_SUCCESS) + * @param messageLocaleId The localised text to send to player + * @param items Optional items to send to player + * @param maxStorageTimeSeconds Optional time to collect items before they expire + */ + sendLocalisedNpcMessageToPlayer(sessionId: string, trader: Traders, messageType: MessageType, messageLocaleId: string, items?: Item[], maxStorageTimeSeconds?: any, systemData?: any, ragfair?: any): void; + /** + * Send a message from SYSTEM to the player with or without items + * @param sessionId The session ID to send the message to + * @param message The text to send to player + * @param items Optional items to send to player + * @param maxStorageTimeSeconds Optional time to collect items before they expire + */ + sendSystemMessageToPlayer(sessionId: string, message: string, items?: Item[], maxStorageTimeSeconds?: any): void; + /** + * Send a message from SYSTEM to the player with or without items with localised text + * @param sessionId The session ID to send the message to + * @param messageLocaleId Id of key from locale file to send to player + * @param items Optional items to send to player + * @param maxStorageTimeSeconds Optional time to collect items before they expire + */ + sendLocalisedSystemMessageToPlayer(sessionId: string, messageLocaleId: string, items?: Item[], profileChangeEvents?: any[], maxStorageTimeSeconds?: any): void; + /** + * Send a USER message to a player with or without items + * @param sessionId The session ID to send the message to + * @param senderId Who is sending the message + * @param message The text to send to player + * @param items Optional items to send to player + * @param maxStorageTimeSeconds Optional time to collect items before they expire + */ + sendUserMessageToPlayer(sessionId: string, senderDetails: IUserDialogInfo, message: string, items?: Item[], maxStorageTimeSeconds?: any): void; + /** + * Large function to send messages to players from a variety of sources (SYSTEM/NPC/USER) + * Helper functions in this class are available to simplify common actions + * @param messageDetails Details needed to send a message to the player + */ + sendMessageToPlayer(messageDetails: ISendMessageDetails): void; + /** + * Send a message from the player to an NPC + * @param sessionId Player id + * @param targetNpcId NPC message is sent to + * @param message Text to send to NPC + */ + sendPlayerMessageToNpc(sessionId: string, targetNpcId: string, message: string): void; + /** + * Create a message for storage inside a dialog in the player profile + * @param senderDialog Id of dialog that will hold the message + * @param messageDetails Various details on what the message must contain/do + * @returns Message + */ + protected createDialogMessage(dialogId: string, messageDetails: ISendMessageDetails): Message; + /** + * Add items to message and adjust various properties to reflect the items being added + * @param message Message to add items to + * @param itemsToSendToPlayer Items to add to message + * @param maxStorageTimeSeconds total time items are stored in mail before being deleted + */ + protected addRewardItemsToMessage(message: Message, itemsToSendToPlayer: MessageItems, maxStorageTimeSeconds: number): void; + /** + * perform various sanitising actions on the items before they're considered ready for insertion into message + * @param dialogType The type of the dialog that will hold the reward items being processed + * @param messageDetails + * @returns Sanitised items + */ + protected processItemsBeforeAddingToMail(dialogType: MessageType, messageDetails: ISendMessageDetails): MessageItems; + /** + * Try to find the most correct item to be the 'primary' item in a reward mail + * @param items Possible items to choose from + * @returns Chosen 'primary' item + */ + protected getBaseItemFromRewards(items: Item[]): Item; + /** + * Get a dialog with a specified entity (user/trader) + * Create and store empty dialog if none exists in profile + * @param messageDetails Data on what message should do + * @returns Relevant Dialogue + */ + protected getDialog(messageDetails: ISendMessageDetails): Dialogue; + /** + * Get the appropriate sender id by the sender enum type + * @param messageDetails + * @returns gets an id of the individual sending it + */ + protected getMessageSenderIdByType(messageDetails: ISendMessageDetails): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/MatchBotDetailsCacheService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/MatchBotDetailsCacheService.d.ts new file mode 100644 index 0000000..6521719 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/MatchBotDetailsCacheService.d.ts @@ -0,0 +1,25 @@ +import { IBotBase } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +/** Cache bots in a dictionary, keyed by the bots name, keying by name isnt ideal as its not unique but this is used by the post-raid system which doesnt have any bot ids, only name */ +export declare class MatchBotDetailsCacheService { + protected logger: ILogger; + protected localisationService: LocalisationService; + protected botDetailsCache: Record; + constructor(logger: ILogger, localisationService: LocalisationService); + /** + * Store a bot in the cache, keyed by its name + * @param botToCache Bot details to cache + */ + cacheBot(botToCache: IBotBase): void; + /** + * Clean the cache of all bot details + */ + clearCache(): void; + /** + * Find a bot in the cache by its name and side + * @param botName Name of bot to find + * @returns Bot details + */ + getBotByNameAndSide(botName: string, botSide: string): IBotBase; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/MatchLocationService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/MatchLocationService.d.ts new file mode 100644 index 0000000..8f7b3bf --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/MatchLocationService.d.ts @@ -0,0 +1,9 @@ +import { ICreateGroupRequestData } from "@spt-aki/models/eft/match/ICreateGroupRequestData"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class MatchLocationService { + protected timeUtil: TimeUtil; + protected locations: {}; + constructor(timeUtil: TimeUtil); + createGroup(sessionID: string, info: ICreateGroupRequestData): any; + deleteGroup(info: any): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/ModCompilerService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/ModCompilerService.d.ts new file mode 100644 index 0000000..b8f2a37 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/ModCompilerService.d.ts @@ -0,0 +1,37 @@ +import ts from "typescript"; +import type { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { HashCacheService } from "@spt-aki/services/HashCacheService"; +import { VFS } from "@spt-aki/utils/VFS"; +export declare class ModCompilerService { + protected logger: ILogger; + protected hashCacheService: HashCacheService; + protected vfs: VFS; + protected serverDependencies: string[]; + constructor(logger: ILogger, hashCacheService: HashCacheService, vfs: VFS); + /** + * Convert a mods TS into JS + * @param modName Name of mod + * @param modPath Dir path to mod + * @param modTypeScriptFiles + * @returns + */ + compileMod(modName: string, modPath: string, modTypeScriptFiles: string[]): Promise; + /** + * Convert a TS file into JS + * @param fileNames Paths to TS files + * @param options Compiler options + */ + protected compile(fileNames: string[], options: ts.CompilerOptions): Promise; + /** + * Do the files at the provided paths exist + * @param fileNames + * @returns + */ + protected areFilesReady(fileNames: string[]): boolean; + /** + * Wait the provided number of milliseconds + * @param ms Milliseconds + * @returns + */ + protected delay(ms: number): Promise; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/NotificationService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/NotificationService.d.ts new file mode 100644 index 0000000..3f25b10 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/NotificationService.d.ts @@ -0,0 +1,21 @@ +import { INotification } from "@spt-aki/models/eft/notifier/INotifier"; +export declare class NotificationService { + protected messageQueue: Record; + getMessageQueue(): Record; + getMessageFromQueue(sessionId: string): any[]; + updateMessageOnQueue(sessionId: string, value: any[]): void; + has(sessionID: string): boolean; + /** + * Pop first message from queue. + */ + pop(sessionID: string): any; + /** + * Add message to queue + */ + add(sessionID: string, message: INotification): void; + /** + * Get message queue for session + * @param sessionID + */ + get(sessionID: string): any[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/OpenZoneService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/OpenZoneService.d.ts new file mode 100644 index 0000000..581975b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/OpenZoneService.d.ts @@ -0,0 +1,28 @@ +import { ILocationConfig } from "@spt-aki/models/spt/config/ILocationConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +/** Service for adding new zones to a maps OpenZones property */ +export declare class OpenZoneService { + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected jsonUtil: JsonUtil; + protected databaseServer: DatabaseServer; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected locationConfig: ILocationConfig; + constructor(logger: ILogger, randomUtil: RandomUtil, jsonUtil: JsonUtil, databaseServer: DatabaseServer, localisationService: LocalisationService, configServer: ConfigServer); + /** + * Add open zone to specified map + * @param locationId map location (e.g. factory4_day) + * @param zoneToAdd zone to add + */ + addZoneToMap(locationId: string, zoneToAdd: string): void; + /** + * Add open zones to all maps found in config/location.json to db + */ + applyZoneChangesToAllMaps(): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/PaymentService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/PaymentService.d.ts new file mode 100644 index 0000000..d6b22ed --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/PaymentService.d.ts @@ -0,0 +1,93 @@ +import { HandbookHelper } from "@spt-aki/helpers/HandbookHelper"; +import { InventoryHelper } from "@spt-aki/helpers/InventoryHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { PaymentHelper } from "@spt-aki/helpers/PaymentHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IProcessBuyTradeRequestData } from "@spt-aki/models/eft/trade/IProcessBuyTradeRequestData"; +import { IProcessSellTradeRequestData } from "@spt-aki/models/eft/trade/IProcessSellTradeRequestData"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +export declare class PaymentService { + protected logger: ILogger; + protected httpResponse: HttpResponseUtil; + protected databaseServer: DatabaseServer; + protected handbookHelper: HandbookHelper; + protected traderHelper: TraderHelper; + protected itemHelper: ItemHelper; + protected inventoryHelper: InventoryHelper; + protected localisationService: LocalisationService; + protected paymentHelper: PaymentHelper; + constructor(logger: ILogger, httpResponse: HttpResponseUtil, databaseServer: DatabaseServer, handbookHelper: HandbookHelper, traderHelper: TraderHelper, itemHelper: ItemHelper, inventoryHelper: InventoryHelper, localisationService: LocalisationService, paymentHelper: PaymentHelper); + /** + * Take money and insert items into return to server request + * @param {IPmcData} pmcData Player profile + * @param {IProcessBuyTradeRequestData} request + * @param {string} sessionID + * @returns IItemEventRouterResponse + */ + payMoney(pmcData: IPmcData, request: IProcessBuyTradeRequestData, sessionID: string, output: IItemEventRouterResponse): IItemEventRouterResponse; + /** + * Get the item price of a specific traders assort + * @param traderAssortId Id of assort to look up + * @param traderId Id of trader with assort + * @returns Handbook rouble price of item + */ + protected getTraderItemHandbookPriceRouble(traderAssortId: string, traderId: string): number; + /** + * Receive money back after selling + * @param {IPmcData} pmcData + * @param {number} amount + * @param {IProcessSellTradeRequestData} body + * @param {IItemEventRouterResponse} output + * @param {string} sessionID + * @returns IItemEventRouterResponse + */ + getMoney(pmcData: IPmcData, amount: number, body: IProcessSellTradeRequestData, output: IItemEventRouterResponse, sessionID: string): IItemEventRouterResponse; + /** + * Recursively checks if the given item is + * inside the stash, that is it has the stash as + * ancestor with slotId=hideout + */ + protected isItemInStash(pmcData: IPmcData, item: Item): boolean; + /** + * Remove currency from player stash/inventory and update client object with changes + * @param pmcData Player profile to find and remove currency from + * @param currencyTpl Type of currency to pay + * @param amountToPay money value to pay + * @param sessionID Session id + * @param output output object to send to client + * @returns IItemEventRouterResponse + */ + addPaymentToOutput(pmcData: IPmcData, currencyTpl: string, amountToPay: number, sessionID: string, output: IItemEventRouterResponse): IItemEventRouterResponse; + /** + * Get all money stacks in inventory and prioritse items in stash + * @param pmcData + * @param currencyTpl + * @param playerStashId Players stash id + * @returns Sorting money items + */ + protected getSortedMoneyItemsInInventory(pmcData: IPmcData, currencyTpl: string, playerStashId: string): Item[]; + /** + * Prioritise player stash first over player inventory + * Post-raid healing would often take money out of the players pockets/secure container + * @param a First money stack item + * @param b Second money stack item + * @param inventoryItems players inventory items + * @param playerStashId Players stash id + * @returns sort order + */ + protected prioritiseStashSort(a: Item, b: Item, inventoryItems: Item[], playerStashId: string): number; + /** + * Recursivly check items parents to see if it is inside the players inventory, not stash + * @param itemId item id to check + * @param inventoryItems player inventory + * @param playerStashId Players stash id + * @returns true if its in inventory + */ + protected isInStash(itemId: string, inventoryItems: Item[], playerStashId: string): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/PlayerService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/PlayerService.d.ts new file mode 100644 index 0000000..f24e0dc --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/PlayerService.d.ts @@ -0,0 +1,18 @@ +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class PlayerService { + protected logger: ILogger; + protected timeUtil: TimeUtil; + protected localisationService: LocalisationService; + protected databaseServer: DatabaseServer; + constructor(logger: ILogger, timeUtil: TimeUtil, localisationService: LocalisationService, databaseServer: DatabaseServer); + /** + * Get level of player + * @param pmcData Player profile + * @returns Level of player + */ + calculateLevel(pmcData: IPmcData): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/PmcChatResponseService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/PmcChatResponseService.d.ts new file mode 100644 index 0000000..b5a0b8b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/PmcChatResponseService.d.ts @@ -0,0 +1,91 @@ +import { NotificationSendHelper } from "@spt-aki/helpers/NotificationSendHelper"; +import { WeightedRandomHelper } from "@spt-aki/helpers/WeightedRandomHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Aggressor, Victim } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { IUserDialogInfo } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { IPmcChatResponse } from "@spt-aki/models/spt/config/IPmChatResponse"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { MatchBotDetailsCacheService } from "@spt-aki/services/MatchBotDetailsCacheService"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class PmcChatResponseService { + protected logger: ILogger; + protected randomUtil: RandomUtil; + protected notificationSendHelper: NotificationSendHelper; + protected matchBotDetailsCacheService: MatchBotDetailsCacheService; + protected localisationService: LocalisationService; + protected weightedRandomHelper: WeightedRandomHelper; + protected configServer: ConfigServer; + protected pmcResponsesConfig: IPmcChatResponse; + constructor(logger: ILogger, randomUtil: RandomUtil, notificationSendHelper: NotificationSendHelper, matchBotDetailsCacheService: MatchBotDetailsCacheService, localisationService: LocalisationService, weightedRandomHelper: WeightedRandomHelper, configServer: ConfigServer); + /** + * For each PMC victim of the player, have a chance to send a message to the player, can be positive or negative + * @param sessionId Session id + * @param pmcVictims Array of bots killed by player + * @param pmcData Player profile + */ + sendVictimResponse(sessionId: string, pmcVictims: Victim[], pmcData: IPmcData): void; + /** + * Not fully implemented yet, needs method of acquiring killers details after raid + * @param sessionId Session id + * @param pmcData Players profile + * @param killer The bot who killed the player + */ + sendKillerResponse(sessionId: string, pmcData: IPmcData, killer: Aggressor): void; + /** + * Choose a localised message to send the player (different if sender was killed or killed player) + * @param isVictim Is the message coming from a bot killed by the player + * @param pmcData Player profile + * @returns Message from PMC to player + */ + protected chooseMessage(isVictim: boolean, pmcData: IPmcData): string; + /** + * Should capitalisation be stripped from the message response before sending + * @param isVictim Was responder a victim of player + * @returns true = should be stripped + */ + protected stripCapitalistion(isVictim: boolean): boolean; + /** + * Should capitalisation be stripped from the message response before sending + * @param isVictim Was responder a victim of player + * @returns true = should be stripped + */ + protected allCaps(isVictim: boolean): boolean; + /** + * Should a suffix be appended to the end of the message being sent to player + * @param isVictim Was responder a victim of player + * @returns true = should be stripped + */ + appendSuffixToMessageEnd(isVictim: boolean): boolean; + /** + * Choose a type of response based on the weightings in pmc response config + * @param isVictim Was responder killed by player + * @returns Response type (positive/negative) + */ + protected chooseResponseType(isVictim?: boolean): string; + /** + * Get locale keys related to the type of response to send (victim/killer) + * @param keyType Positive/negative + * @param isVictim Was responder killed by player + * @returns + */ + protected getResponseLocaleKeys(keyType: string, isVictim?: boolean): string[]; + /** + * Get all locale keys that start with `pmcresponse-suffix` + * @returns array of keys + */ + protected getResponseSuffixLocaleKeys(): string[]; + /** + * Randomly draw a victim of the the array and return thier details + * @param pmcVictims Possible victims to choose from + * @returns IUserDialogInfo + */ + protected chooseRandomVictim(pmcVictims: Victim[]): IUserDialogInfo; + /** + * Convert a victim object into a IUserDialogInfo object + * @param pmcVictim victim to convert + * @returns IUserDialogInfo + */ + protected getVictimDetails(pmcVictim: Victim): IUserDialogInfo; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/ProfileFixerService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/ProfileFixerService.d.ts new file mode 100644 index 0000000..e2e140b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/ProfileFixerService.d.ts @@ -0,0 +1,164 @@ +import { HideoutHelper } from "@spt-aki/helpers/HideoutHelper"; +import { InventoryHelper } from "@spt-aki/helpers/InventoryHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Bonus, HideoutSlot } from "@spt-aki/models/eft/common/tables/IBotBase"; +import { IPmcDataRepeatableQuest, IRepeatableQuest } from "@spt-aki/models/eft/common/tables/IRepeatableQuests"; +import { StageBonus } from "@spt-aki/models/eft/hideout/IHideoutArea"; +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { HideoutAreas } from "@spt-aki/models/enums/HideoutAreas"; +import { ICoreConfig } from "@spt-aki/models/spt/config/ICoreConfig"; +import { IRagfairConfig } from "@spt-aki/models/spt/config/IRagfairConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +import { Watermark } from "@spt-aki/utils/Watermark"; +export declare class ProfileFixerService { + protected logger: ILogger; + protected watermark: Watermark; + protected hideoutHelper: HideoutHelper; + protected inventoryHelper: InventoryHelper; + protected traderHelper: TraderHelper; + protected profileHelper: ProfileHelper; + protected itemHelper: ItemHelper; + protected localisationService: LocalisationService; + protected timeUtil: TimeUtil; + protected jsonUtil: JsonUtil; + protected hashUtil: HashUtil; + protected databaseServer: DatabaseServer; + protected configServer: ConfigServer; + protected coreConfig: ICoreConfig; + protected ragfairConfig: IRagfairConfig; + constructor(logger: ILogger, watermark: Watermark, hideoutHelper: HideoutHelper, inventoryHelper: InventoryHelper, traderHelper: TraderHelper, profileHelper: ProfileHelper, itemHelper: ItemHelper, localisationService: LocalisationService, timeUtil: TimeUtil, jsonUtil: JsonUtil, hashUtil: HashUtil, databaseServer: DatabaseServer, configServer: ConfigServer); + /** + * Find issues in the pmc profile data that may cause issues and fix them + * @param pmcProfile profile to check and fix + */ + checkForAndFixPmcProfileIssues(pmcProfile: IPmcData): void; + /** + * Find issues in the scav profile data that may cause issues + * @param scavProfile profile to check and fix + */ + checkForAndFixScavProfileIssues(scavProfile: IPmcData): void; + protected addMissingGunStandContainerImprovements(pmcProfile: IPmcData): void; + protected ensureGunStandLevelsMatch(pmcProfile: IPmcData): void; + protected addHideoutAreaStashes(pmcProfile: IPmcData): void; + protected addMissingHideoutWallAreas(pmcProfile: IPmcData): void; + protected adjustUnreasonableModFleaPrices(): void; + /** + * Add tag to profile to indicate when it was made + * @param fullProfile + */ + addMissingAkiVersionTagToProfile(fullProfile: IAkiProfile): void; + /** + * TODO - make this non-public - currently used by RepeatableQuestController + * Remove unused condition counters + * @param pmcProfile profile to remove old counters from + */ + removeDanglingConditionCounters(pmcProfile: IPmcData): void; + addLighthouseKeeperIfMissing(pmcProfile: IPmcData): void; + protected addUnlockedInfoObjectIfMissing(pmcProfile: IPmcData): void; + protected removeDanglingBackendCounters(pmcProfile: IPmcData): void; + protected getActiveRepeatableQuests(repeatableQuests: IPmcDataRepeatableQuest[]): IRepeatableQuest[]; + protected fixNullTraderSalesSums(pmcProfile: IPmcData): void; + protected addMissingBonusesProperty(pmcProfile: IPmcData): void; + /** + * Adjust profile quest status and statusTimers object values + * quest.status is numeric e.g. 2 + * quest.statusTimers keys are numeric as strings e.g. "2" + * @param profile profile to update + */ + protected updateProfileQuestDataValues(profile: IPmcData): void; + protected addMissingRepeatableQuestsProperty(pmcProfile: IPmcData): void; + /** + * Some profiles have hideout maxed and therefore no improvements + * @param pmcProfile Profile to add improvement data to + */ + protected addMissingWallImprovements(pmcProfile: IPmcData): void; + /** + * A new property was added to slot items "locationIndex", if this is missing, the hideout slot item must be removed + * @param pmcProfile Profile to find and remove slots from + */ + protected removeResourcesFromSlotsInHideoutWithoutLocationIndexValue(pmcProfile: IPmcData): void; + /** + * Hideout slots need to be in a specific order, locationIndex in ascending order + * @param pmcProfile profile to edit + */ + protected reorderHideoutAreasWithResouceInputs(pmcProfile: IPmcData): void; + /** + * add in objects equal to the number of slots + * @param areaType area to check + * @param pmcProfile profile to update + */ + protected addEmptyObjectsToHideoutAreaSlots(areaType: HideoutAreas, emptyItemCount: number, pmcProfile: IPmcData): void; + protected addObjectsToArray(count: number, slots: HideoutSlot[]): HideoutSlot[]; + /** + * In 18876 bsg changed the pockets tplid to be one that has 3 additional special slots + * @param pmcProfile + */ + protected updateProfilePocketsToNewId(pmcProfile: IPmcData): void; + /** + * Iterate over players hideout areas and find what's build, look for missing bonuses those areas give and add them if missing + * @param pmcProfile Profile to update + */ + addMissingHideoutBonusesToProfile(pmcProfile: IPmcData): void; + /** + * @param profileBonuses bonuses from profile + * @param bonus bonus to find + * @returns matching bonus + */ + protected getBonusFromProfile(profileBonuses: Bonus[], bonus: StageBonus): Bonus; + /** + * Checks profile inventiory for items that do not exist inside the items db + * @param sessionId Session id + * @param pmcProfile Profile to check inventory of + */ + checkForOrphanedModdedItems(sessionId: string, fullProfile: IAkiProfile): void; + /** + * Attempt to fix common item issues that corrupt profiles + * @param pmcProfile Profile to check items of + */ + fixProfileBreakingInventoryItemIssues(pmcProfile: IPmcData): void; + /** + * Add `Improvements` object to hideout if missing - added in eft 13.0.21469 + * @param pmcProfile profile to update + */ + addMissingUpgradesPropertyToHideout(pmcProfile: IPmcData): void; + /** + * Iterate over associated profile template and check all hideout areas exist, add if not + * @param fullProfile Profile to update + */ + addMissingHideoutAreasToProfile(fullProfile: IAkiProfile): void; + /** + * These used to be used for storing scav case rewards, rewards are now generated on pickup + * @param pmcProfile Profile to update + */ + removeLegacyScavCaseProductionCrafts(pmcProfile: IPmcData): void; + /** + * 3.7.0 moved AIDs to be numeric, old profiles need to be migrated + * We store the old AID value in new field `sessionId` + * @param fullProfile Profile to update + */ + fixIncorrectAidValue(fullProfile: IAkiProfile): void; + /** + * Bsg nested `stats` into a sub object called 'eft' + * @param fullProfile Profile to check for and migrate stats data + */ + migrateStatsToNewStructure(fullProfile: IAkiProfile): void; + /** + * 26126 (7th August) requires bonuses to have an ID, these were not included in the default profile presets + * @param pmcProfile Profile to add missing IDs to + */ + addMissingIdsToBonuses(pmcProfile: IPmcData): void; + /** + * At some point the property name was changed,migrate data across to new name + * @param pmcProfile Profile to migrate improvements in + */ + protected migrateImprovements(pmcProfile: IPmcData): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/ProfileSnapshotService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/ProfileSnapshotService.d.ts new file mode 100644 index 0000000..3f60d41 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/ProfileSnapshotService.d.ts @@ -0,0 +1,30 @@ +import { IAkiProfile } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class ProfileSnapshotService { + protected jsonUtil: JsonUtil; + protected storedProfileSnapshots: Record; + constructor(jsonUtil: JsonUtil); + /** + * Store a profile into an in-memory object + * @param sessionID session id - acts as the key + * @param profile - profile to save + */ + storeProfileSnapshot(sessionID: string, profile: IAkiProfile): void; + /** + * Retreve a stored profile + * @param sessionID key + * @returns A player profile object + */ + getProfileSnapshot(sessionID: string): IAkiProfile; + /** + * Does a profile exists against the provided key + * @param sessionID key + * @returns true if exists + */ + hasProfileSnapshot(sessionID: string): boolean; + /** + * Remove a stored profile by key + * @param sessionID key + */ + clearProfileSnapshot(sessionID: string): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/RagfairCategoriesService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/RagfairCategoriesService.d.ts new file mode 100644 index 0000000..ef40275 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/RagfairCategoriesService.d.ts @@ -0,0 +1,17 @@ +import { PaymentHelper } from "@spt-aki/helpers/PaymentHelper"; +import { IRagfairOffer } from "@spt-aki/models/eft/ragfair/IRagfairOffer"; +import { ISearchRequestData } from "@spt-aki/models/eft/ragfair/ISearchRequestData"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +export declare class RagfairCategoriesService { + protected logger: ILogger; + protected paymentHelper: PaymentHelper; + constructor(logger: ILogger, paymentHelper: PaymentHelper); + /** + * Get a dictionary of each item the play can see in their flea menu, filtered by what is available for them to buy + * @param offers All offers in flea + * @param searchRequestData Search criteria requested + * @param fleaUnlocked Can player see full flea yet (level 15 by default) + * @returns KVP of item tpls + count of offers + */ + getCategoriesFromOffers(offers: IRagfairOffer[], searchRequestData: ISearchRequestData, fleaUnlocked: boolean): Record; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/RagfairLinkedItemService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/RagfairLinkedItemService.d.ts new file mode 100644 index 0000000..3d607ac --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/RagfairLinkedItemService.d.ts @@ -0,0 +1,33 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +export declare class RagfairLinkedItemService { + protected databaseServer: DatabaseServer; + protected itemHelper: ItemHelper; + protected linkedItemsCache: Record>; + constructor(databaseServer: DatabaseServer, itemHelper: ItemHelper); + getLinkedItems(linkedSearchId: string): Set; + /** + * Use ragfair linked item service to get an array of items that can fit on or in designated itemtpl + * @param itemTpl Item to get sub-items for + * @returns ITemplateItem array + */ + getLinkedDbItems(itemTpl: string): ITemplateItem[]; + /** + * Create Dictionary of every item and the items associated with it + */ + protected buildLinkedItemTable(): void; + /** + * Add ammo to revolvers linked item dictionary + * @param cylinder Revolvers cylinder + * @param applyLinkedItems + */ + protected addRevolverCylinderAmmoToLinkedItems(cylinder: ITemplateItem, applyLinkedItems: (items: string[]) => void): void; + /** + * Scans a given slot type for filters and returns them as a Set + * @param item + * @param slot + * @returns array of ids + */ + protected getFilters(item: ITemplateItem, slot: string): string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/RagfairOfferService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/RagfairOfferService.d.ts new file mode 100644 index 0000000..ce86ee3 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/RagfairOfferService.d.ts @@ -0,0 +1,80 @@ +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { RagfairServerHelper } from "@spt-aki/helpers/RagfairServerHelper"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { IRagfairOffer } from "@spt-aki/models/eft/ragfair/IRagfairOffer"; +import { IRagfairConfig } from "@spt-aki/models/spt/config/IRagfairConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { EventOutputHolder } from "@spt-aki/routers/EventOutputHolder"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { SaveServer } from "@spt-aki/servers/SaveServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { HttpResponseUtil } from "@spt-aki/utils/HttpResponseUtil"; +import { RagfairOfferHolder } from "@spt-aki/utils/RagfairOfferHolder"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class RagfairOfferService { + protected logger: ILogger; + protected timeUtil: TimeUtil; + protected databaseServer: DatabaseServer; + protected saveServer: SaveServer; + protected ragfairServerHelper: RagfairServerHelper; + protected profileHelper: ProfileHelper; + protected eventOutputHolder: EventOutputHolder; + protected httpResponse: HttpResponseUtil; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected playerOffersLoaded: boolean; + protected expiredOffers: Record; + protected ragfairConfig: IRagfairConfig; + protected ragfairOfferHandler: RagfairOfferHolder; + constructor(logger: ILogger, timeUtil: TimeUtil, databaseServer: DatabaseServer, saveServer: SaveServer, ragfairServerHelper: RagfairServerHelper, profileHelper: ProfileHelper, eventOutputHolder: EventOutputHolder, httpResponse: HttpResponseUtil, localisationService: LocalisationService, configServer: ConfigServer); + /** + * Get all offers + * @returns IRagfairOffer array + */ + getOffers(): IRagfairOffer[]; + getOfferByOfferId(offerId: string): IRagfairOffer; + getOffersOfType(templateId: string): IRagfairOffer[]; + addOffer(offer: IRagfairOffer): void; + addOfferToExpired(staleOffer: IRagfairOffer): void; + getExpiredOfferCount(): number; + /** + * Get an array of expired items not yet processed into new offers + * @returns items that need to be turned into offers + */ + getExpiredOfferItems(): Item[]; + resetExpiredOffers(): void; + /** + * Does the offer exist on the ragfair + * @param offerId offer id to check for + * @returns offer exists - true + */ + doesOfferExist(offerId: string): boolean; + /** + * Remove an offer from ragfair by offer id + * @param offerId Offer id to remove + */ + removeOfferById(offerId: string): void; + /** + * Reduce size of an offer stack by specified amount + * @param offerId Offer to adjust stack size of + * @param amount How much to deduct from offers stack size + */ + removeOfferStack(offerId: string, amount: number): void; + removeAllOffersByTrader(traderId: string): void; + /** + * Do the trader offers on flea need to be refreshed + * @param traderID Trader to check + * @returns true if they do + */ + traderOffersNeedRefreshing(traderID: string): boolean; + addPlayerOffers(): void; + expireStaleOffers(): void; + /** + * Remove stale offer from flea + * @param staleOffer Stale offer to process + */ + protected processStaleOffer(staleOffer: IRagfairOffer): void; + protected returnPlayerOffer(offer: IRagfairOffer): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/RagfairPriceService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/RagfairPriceService.d.ts new file mode 100644 index 0000000..3e91d52 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/RagfairPriceService.d.ts @@ -0,0 +1,140 @@ +import { OnLoad } from "@spt-aki/di/OnLoad"; +import { HandbookHelper } from "@spt-aki/helpers/HandbookHelper"; +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { PresetHelper } from "@spt-aki/helpers/PresetHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { MinMax } from "@spt-aki/models/common/MinMax"; +import { IPreset } from "@spt-aki/models/eft/common/IGlobals"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { IBarterScheme } from "@spt-aki/models/eft/common/tables/ITrader"; +import { IRagfairConfig } from "@spt-aki/models/spt/config/IRagfairConfig"; +import { IRagfairServerPrices } from "@spt-aki/models/spt/ragfair/IRagfairServerPrices"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +/** + * Stores flea prices for items as well as methods to interact with them + */ +export declare class RagfairPriceService implements OnLoad { + protected handbookHelper: HandbookHelper; + protected databaseServer: DatabaseServer; + protected logger: ILogger; + protected itemHelper: ItemHelper; + protected presetHelper: PresetHelper; + protected traderHelper: TraderHelper; + protected randomUtil: RandomUtil; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected ragfairConfig: IRagfairConfig; + protected generatedDynamicPrices: boolean; + protected generatedStaticPrices: boolean; + protected prices: IRagfairServerPrices; + constructor(handbookHelper: HandbookHelper, databaseServer: DatabaseServer, logger: ILogger, itemHelper: ItemHelper, presetHelper: PresetHelper, traderHelper: TraderHelper, randomUtil: RandomUtil, localisationService: LocalisationService, configServer: ConfigServer); + /** + * Generate static (handbook) and dynamic (prices.json) flea prices, store inside class as dictionaries + */ + onLoad(): Promise; + getRoute(): string; + /** + * Iterate over all items of type "Item" in db and get template price, store in cache + */ + generateStaticPrices(): void; + /** + * Create a dictionary and store prices from prices.json in it + */ + protected generateDynamicPrices(): void; + /** + * Get the dynamic price for an item. If value doesn't exist, use static (handbook) value. + * if no static value, return 1 + * @param tplId Item tpl id to get price for + * @returns price in roubles + */ + getFleaPriceForItem(tplId: string): number; + /** + * get the dynamic (flea) price for an item + * Grabs prices from prices.json and stores in class if none currently exist + * @param itemTpl item template id to look up + * @returns price in roubles + */ + getDynamicPriceForItem(itemTpl: string): number; + /** + * Grab the static (handbook) for an item by its tplId + * @param itemTpl item template id to look up + * @returns price in roubles + */ + getStaticPriceForItem(itemTpl: string): number; + /** + * Get prices for all items on flea, priorities dynamic prices from prices.json, use handbook prices if missing + * @returns Dictionary of item tpls and rouble cost + */ + getAllFleaPrices(): Record; + getAllStaticPrices(): Record; + /** + * Get the percentage difference between two values + * @param a numerical value a + * @param b numerical value b + * @returns different in percent + */ + protected getPriceDifference(a: number, b: number): number; + /** + * Get the rouble price for an assorts barter scheme + * @param barterScheme + * @returns Rouble price + */ + getBarterPrice(barterScheme: IBarterScheme[]): number; + /** + * Generate a currency cost for an item and its mods + * @param items Item with mods to get price for + * @param desiredCurrency Currency price desired in + * @param isPackOffer Price is for a pack type offer + * @returns cost of item in desired currency + */ + getDynamicOfferPriceForOffer(items: Item[], desiredCurrency: string, isPackOffer: boolean): number; + /** + * Get different min/max price multipliers for different offer types (preset/pack/default) + * @param isPreset Offer is a preset + * @param isPack Offer is a pack + * @returns MinMax values + */ + protected getOfferTypeRangeValues(isPreset: boolean, isPack: boolean): MinMax; + /** + * Check to see if an items price is below its handbook price and adjust accoring to values set to config/ragfair.json + * @param itemPrice price of item + * @param itemTpl item template Id being checked + * @returns adjusted price value in roubles + */ + protected adjustPriceIfBelowHandbook(itemPrice: number, itemTpl: string): number; + /** + * Multiply the price by a randomised curve where n = 2, shift = 2 + * @param existingPrice price to alter + * @param rangeValues min and max to adjust price by + * @returns multiplied price + */ + protected randomiseOfferPrice(existingPrice: number, rangeValues: MinMax): number; + /** + * Calculate the cost of a weapon preset by adding together the price of its mods + base price of default weapon preset + * @param item base weapon + * @param items weapon plus mods + * @param existingPrice price of existing base weapon + * @returns price of weapon in roubles + */ + protected getWeaponPresetPrice(item: Item, items: Item[], existingPrice: number): number; + /** + * Get the highest price for an item that is stored in handbook or trader assorts + * @param itemTpl Item to get highest price of + * @returns rouble cost + */ + protected getHighestHandbookOrTraderPriceAsRouble(itemTpl: string): number; + /** + * Attempt to get the default preset for a weapon, failing that get the first preset in the array + * (assumes default = has encyclopedia entry) + * @param presets weapon presets to choose from + * @returns Default preset object + */ + protected getWeaponPreset(presets: IPreset[], weapon: Item): { + isDefault: boolean; + preset: IPreset; + }; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/RagfairRequiredItemsService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/RagfairRequiredItemsService.d.ts new file mode 100644 index 0000000..3d030c2 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/RagfairRequiredItemsService.d.ts @@ -0,0 +1,12 @@ +import { PaymentHelper } from "@spt-aki/helpers/PaymentHelper"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { RagfairOfferService } from "@spt-aki/services/RagfairOfferService"; +export declare class RagfairRequiredItemsService { + protected logger: ILogger; + protected paymentHelper: PaymentHelper; + protected ragfairOfferService: RagfairOfferService; + protected requiredItemsCache: {}; + constructor(logger: ILogger, paymentHelper: PaymentHelper, ragfairOfferService: RagfairOfferService); + getRequiredItemsById(searchId: string): any; + buildRequiredItemTable(): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/RagfairTaxService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/RagfairTaxService.d.ts new file mode 100644 index 0000000..e72228f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/RagfairTaxService.d.ts @@ -0,0 +1,21 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { IStorePlayerOfferTaxAmountRequestData } from "@spt-aki/models/eft/ragfair/IStorePlayerOfferTaxAmountRequestData"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { RagfairPriceService } from "@spt-aki/services/RagfairPriceService"; +export declare class RagfairTaxService { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected ragfairPriceService: RagfairPriceService; + protected itemHelper: ItemHelper; + protected playerOfferTaxCache: Record; + constructor(logger: ILogger, databaseServer: DatabaseServer, ragfairPriceService: RagfairPriceService, itemHelper: ItemHelper); + storeClientOfferTaxValue(sessionId: string, offer: IStorePlayerOfferTaxAmountRequestData): void; + clearStoredOfferTaxById(offerIdToRemove: string): void; + getStoredClientOfferTaxValueById(offerIdToGet: string): IStorePlayerOfferTaxAmountRequestData; + calculateTax(item: Item, pmcData: IPmcData, requirementsValue: number, offerItemCount: number, sellInOnePiece: boolean): number; + protected calculateItemWorth(item: Item, itemTemplate: ITemplateItem, itemCount: number, pmcData: IPmcData, isRootItem?: boolean): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/RaidTimeAdjustmentService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/RaidTimeAdjustmentService.d.ts new file mode 100644 index 0000000..a2a223a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/RaidTimeAdjustmentService.d.ts @@ -0,0 +1,60 @@ +import { ApplicationContext } from "@spt-aki/context/ApplicationContext"; +import { WeightedRandomHelper } from "@spt-aki/helpers/WeightedRandomHelper"; +import { ILocationBase } from "@spt-aki/models/eft/common/ILocationBase"; +import { IGetRaidTimeRequest } from "@spt-aki/models/eft/game/IGetRaidTimeRequest"; +import { ExtractChange, IGetRaidTimeResponse } from "@spt-aki/models/eft/game/IGetRaidTimeResponse"; +import { ILocationConfig, IScavRaidTimeLocationSettings, LootMultiplier } from "@spt-aki/models/spt/config/ILocationConfig"; +import { IRaidChanges } from "@spt-aki/models/spt/location/IRaidChanges"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class RaidTimeAdjustmentService { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected randomUtil: RandomUtil; + protected weightedRandomHelper: WeightedRandomHelper; + protected applicationContext: ApplicationContext; + protected configServer: ConfigServer; + protected locationConfig: ILocationConfig; + constructor(logger: ILogger, databaseServer: DatabaseServer, randomUtil: RandomUtil, weightedRandomHelper: WeightedRandomHelper, applicationContext: ApplicationContext, configServer: ConfigServer); + /** + * Make alterations to the base map data passed in + * Loot multipliers/waves/wave start times + * @param raidAdjustments Changes to process on map + * @param mapBase Map to adjust + */ + makeAdjustmentsToMap(raidAdjustments: IRaidChanges, mapBase: ILocationBase): void; + /** + * Adjust the loot multiplier values passed in to be a % of their original value + * @param mapLootMultiplers Multiplers to adjust + * @param loosePercent Percent to change values to + */ + protected adjustLootMultipliers(mapLootMultiplers: LootMultiplier, loosePercent: number): void; + /** + * Adjust bot waves to act as if player spawned later + * @param mapBase map to adjust + * @param raidAdjustments Map adjustments + */ + protected adjustWaves(mapBase: ILocationBase, raidAdjustments: IRaidChanges): void; + /** + * Create a randomised adjustment to the raid based on map data in location.json + * @param sessionId Session id + * @param request Raid adjustment request + * @returns Response to send to client + */ + getRaidAdjustments(sessionId: string, request: IGetRaidTimeRequest): IGetRaidTimeResponse; + /** + * Get raid start time settings for specific map + * @param location Map Location e.g. bigmap + * @returns IScavRaidTimeLocationSettings + */ + protected getMapSettings(location: string): IScavRaidTimeLocationSettings; + /** + * Adjust exit times to handle scavs entering raids part-way through + * @param mapBase Map base file player is on + * @param newRaidTimeMinutes How long raid is in minutes + * @returns List of exit changes to send to client + */ + protected getExitAdjustments(mapBase: ILocationBase, newRaidTimeMinutes: number): ExtractChange[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/RepairService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/RepairService.d.ts new file mode 100644 index 0000000..cb0070f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/RepairService.d.ts @@ -0,0 +1,144 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { RepairHelper } from "@spt-aki/helpers/RepairHelper"; +import { TraderHelper } from "@spt-aki/helpers/TraderHelper"; +import { WeightedRandomHelper } from "@spt-aki/helpers/WeightedRandomHelper"; +import { IPmcData } from "@spt-aki/models/eft/common/IPmcData"; +import { Item } from "@spt-aki/models/eft/common/tables/IItem"; +import { ITemplateItem } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { RepairKitsInfo } from "@spt-aki/models/eft/repair/IRepairActionDataRequest"; +import { RepairItem } from "@spt-aki/models/eft/repair/ITraderRepairActionDataRequest"; +import { SkillTypes } from "@spt-aki/models/enums/SkillTypes"; +import { BonusSettings, IRepairConfig } from "@spt-aki/models/spt/config/IRepairConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { PaymentService } from "@spt-aki/services/PaymentService"; +import { RandomUtil } from "@spt-aki/utils/RandomUtil"; +export declare class RepairService { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected profileHelper: ProfileHelper; + protected randomUtil: RandomUtil; + protected itemHelper: ItemHelper; + protected traderHelper: TraderHelper; + protected weightedRandomHelper: WeightedRandomHelper; + protected paymentService: PaymentService; + protected repairHelper: RepairHelper; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected repairConfig: IRepairConfig; + constructor(logger: ILogger, databaseServer: DatabaseServer, profileHelper: ProfileHelper, randomUtil: RandomUtil, itemHelper: ItemHelper, traderHelper: TraderHelper, weightedRandomHelper: WeightedRandomHelper, paymentService: PaymentService, repairHelper: RepairHelper, localisationService: LocalisationService, configServer: ConfigServer); + /** + * Use trader to repair an items durability + * @param sessionID Session id + * @param pmcData profile to find item to repair in + * @param repairItemDetails details of the item to repair + * @param traderId Trader being used to repair item + * @returns RepairDetails object + */ + repairItemByTrader(sessionID: string, pmcData: IPmcData, repairItemDetails: RepairItem, traderId: string): RepairDetails; + /** + * @param sessionID Session id + * @param pmcData profile to take money from + * @param repairedItemId Repaired item id + * @param repairCost Cost to repair item in roubles + * @param traderId Id of the trader who repaired the item / who is paid + * @param output + */ + payForRepair(sessionID: string, pmcData: IPmcData, repairedItemId: string, repairCost: number, traderId: string, output: IItemEventRouterResponse): void; + /** + * Add skill points to profile after repairing an item + * @param sessionId Session id + * @param repairDetails details of item repaired, cost/item + * @param pmcData Profile to add points to + */ + addRepairSkillPoints(sessionId: string, repairDetails: RepairDetails, pmcData: IPmcData): void; + protected getIntellectGainedFromRepair(repairDetails: RepairDetails): number; + /** + * Return an appromixation of the amount of skill points live would return for the given repairDetails + * @param repairDetails the repair details to calculate skill points for + * @returns the number of skill points to reward the user + */ + protected getWeaponRepairSkillPoints(repairDetails: RepairDetails): number; + /** + * @param sessionId Session id + * @param pmcData Profile to update repaired item in + * @param repairKits Array of Repair kits to use + * @param itemToRepairId Item id to repair + * @param output IItemEventRouterResponse + * @returns Details of repair, item/price + */ + repairItemByKit(sessionId: string, pmcData: IPmcData, repairKits: RepairKitsInfo[], itemToRepairId: string, output: IItemEventRouterResponse): RepairDetails; + /** + * Calculate value repairkit points need to be divided by to get the durability points to be added to an item + * @param itemToRepairDetails Item to repair details + * @param isArmor Is the item being repaired armor + * @param pmcData Player profile + * @returns Number to divide kit points by + */ + protected getKitDivisor(itemToRepairDetails: ITemplateItem, isArmor: boolean, pmcData: IPmcData): number; + /** + * Get the bonus multiplier for a skill from a player profile + * @param skillBonusName Name of bonus to get multipler of + * @param pmcData Player profile to look in for skill + * @returns Multiplier value + */ + protected getBonusMultiplierValue(skillBonusName: string, pmcData: IPmcData): number; + /** + * Should a repair kit apply total durability loss on repair + * @param pmcData Player profile + * @param applyRandomizeDurabilityLoss Value from repair config + * @returns True if loss should be applied + */ + protected shouldRepairKitApplyDurabilityLoss(pmcData: IPmcData, applyRandomizeDurabilityLoss: boolean): boolean; + /** + * Update repair kits Resource object if it doesn't exist + * @param repairKitDetails Repair kit details from db + * @param repairKitInInventory Repair kit to update + */ + protected addMaxResourceToKitIfMissing(repairKitDetails: ITemplateItem, repairKitInInventory: Item): void; + /** + * Chance to apply buff to an item (Armor/weapon) if repaired by armor kit + * @param repairDetails Repair details of item + * @param pmcData Player profile + */ + addBuffToItem(repairDetails: RepairDetails, pmcData: IPmcData): void; + /** + * Add random buff to item + * @param itemConfig weapon/armor config + * @param repairDetails Details for item to repair + */ + addBuff(itemConfig: BonusSettings, item: Item): void; + /** + * Check if item should be buffed by checking the item type and relevant player skill level + * @param repairDetails Item that was repaired + * @param itemTpl tpl of item to be buffed + * @param pmcData Player profile + * @returns True if item should have buff applied + */ + protected shouldBuffItem(repairDetails: RepairDetails, pmcData: IPmcData): boolean; + /** + * Based on item, what underlying skill does this item use for buff settings + * @param itemTemplate Item to check for skill + * @returns Skill name + */ + protected getItemSkillType(itemTemplate: ITemplateItem): SkillTypes; + /** + * Ensure multiplier is between 1 and 0.01 + * @param receiveDurabilityMaxPercent Max durabiltiy percent + * @param receiveDurabilityPercent current durability percent + * @returns durability multipler value + */ + protected getDurabilityMultiplier(receiveDurabilityMaxPercent: number, receiveDurabilityPercent: number): number; +} +export declare class RepairDetails { + repairCost?: number; + repairPoints?: number; + repairedItem: Item; + repairedItemIsArmor: boolean; + repairAmount: number; + repairedByKit: boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/SeasonalEventService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/SeasonalEventService.d.ts new file mode 100644 index 0000000..3e20409 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/SeasonalEventService.d.ts @@ -0,0 +1,142 @@ +import { BotHelper } from "@spt-aki/helpers/BotHelper"; +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { IConfig } from "@spt-aki/models/eft/common/IGlobals"; +import { Inventory } from "@spt-aki/models/eft/common/tables/IBotType"; +import { SeasonalEventType } from "@spt-aki/models/enums/SeasonalEventType"; +import { IHttpConfig } from "@spt-aki/models/spt/config/IHttpConfig"; +import { IQuestConfig } from "@spt-aki/models/spt/config/IQuestConfig"; +import { ISeasonalEvent, ISeasonalEventConfig } from "@spt-aki/models/spt/config/ISeasonalEventConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { GiftService } from "@spt-aki/services/GiftService"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { DatabaseImporter } from "@spt-aki/utils/DatabaseImporter"; +export declare class SeasonalEventService { + protected logger: ILogger; + protected databaseServer: DatabaseServer; + protected databaseImporter: DatabaseImporter; + protected giftService: GiftService; + protected localisationService: LocalisationService; + protected botHelper: BotHelper; + protected profileHelper: ProfileHelper; + protected configServer: ConfigServer; + protected seasonalEventConfig: ISeasonalEventConfig; + protected questConfig: IQuestConfig; + protected httpConfig: IHttpConfig; + protected halloweenEventActive: any; + protected christmasEventActive: any; + constructor(logger: ILogger, databaseServer: DatabaseServer, databaseImporter: DatabaseImporter, giftService: GiftService, localisationService: LocalisationService, botHelper: BotHelper, profileHelper: ProfileHelper, configServer: ConfigServer); + protected get christmasEventItems(): string[]; + protected get halloweenEventItems(): string[]; + /** + * Get an array of christmas items found in bots inventories as loot + * @returns array + */ + getChristmasEventItems(): string[]; + /** + * Get an array of halloween items found in bots inventories as loot + * @returns array + */ + getHalloweenEventItems(): string[]; + itemIsChristmasRelated(itemTpl: string): boolean; + itemIsHalloweenRelated(itemTpl: string): boolean; + /** + * Check if item id exists in christmas or halloween event arrays + * @param itemTpl item tpl to check for + * @returns + */ + itemIsSeasonalRelated(itemTpl: string): boolean; + /** + * Get an array of items that appear during a seasonal event + * returns multiple seasonal event items if they are both active + * @returns array of tpl strings + */ + getAllSeasonalEventItems(): string[]; + /** + * Is a seasonal event currently active + * @returns true if event is active + */ + seasonalEventEnabled(): boolean; + /** + * Is christmas event active + * @returns true if active + */ + christmasEventEnabled(): boolean; + /** + * is halloween event active + * @returns true if active + */ + halloweenEventEnabled(): boolean; + /** + * Is detection of seasonal events enabled (halloween / christmas) + * @returns true if seasonal events should be checked for + */ + isAutomaticEventDetectionEnabled(): boolean; + /** + * Get a dictionary of gear changes to apply to bots for a specific event e.g. Christmas/Halloween + * @param eventName Name of event to get gear changes for + * @returns bots with equipment changes + */ + protected getEventBotGear(eventType: SeasonalEventType): Record>>; + /** + * Get the dates each seasonal event starts and ends at + * @returns Record with event name + start/end date + */ + getEventDetails(): ISeasonalEvent[]; + /** + * Look up quest in configs/quest.json + * @param questId Quest to look up + * @param event event type (Christmas/Halloween/None) + * @returns true if related + */ + isQuestRelatedToEvent(questId: string, event: SeasonalEventType): boolean; + /** + * Handle seasonal events + * @param sessionId Players id + */ + enableSeasonalEvents(sessionId: string): void; + protected cacheActiveEvents(): void; + /** + * Iterate through bots inventory and loot to find and remove christmas items (as defined in SeasonalEventService) + * @param nodeInventory Bots inventory to iterate over + * @param botRole the role of the bot being processed + */ + removeChristmasItemsFromBotInventory(nodeInventory: Inventory, botRole: string): void; + /** + * Make adjusted to server code based on the name of the event passed in + * @param sessionId Player id + * @param globalConfig globals.json + * @param eventName Name of the event to enable. e.g. Christmas + */ + protected updateGlobalEvents(sessionId: string, globalConfig: IConfig, eventType: SeasonalEventType): void; + /** + * Change trader icons to be more event themed (Halloween only so far) + * @param eventType What event is active + */ + protected adjustTraderIcons(eventType: SeasonalEventType): void; + /** + * Add lootble items from backpack into patrol.ITEMS_TO_DROP difficulty property + */ + protected addLootItemsToGifterDropItemsList(): void; + /** + * Read in data from seasonalEvents.json and add found equipment items to bots + * @param eventName Name of the event to read equipment in from config + */ + protected addEventGearToBots(eventType: SeasonalEventType): void; + protected addPumpkinsToScavBackpacks(): void; + /** + * Set Khorovod(dancing tree) chance to 100% on all maps that support it + */ + protected enableDancingTree(): void; + /** + * Add santa to maps + */ + protected addGifterBotToMaps(): void; + /** + * Send gift to player if they'e not already received it + * @param playerId Player to send gift to + * @param giftkey Key of gift to give + */ + protected giveGift(playerId: string, giftkey: string): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/TraderAssortService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/TraderAssortService.d.ts new file mode 100644 index 0000000..9130de6 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/TraderAssortService.d.ts @@ -0,0 +1,11 @@ +import { ITraderAssort } from "@spt-aki/models/eft/common/tables/ITrader"; +export declare class TraderAssortService { + protected pristineTraderAssorts: Record; + getPristineTraderAssort(traderId: string): ITraderAssort; + /** + * Store trader assorts inside a class property + * @param traderId Traderid to store assorts against + * @param assort Assorts to store + */ + setPristineTraderAssort(traderId: string, assort: ITraderAssort): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/TraderPurchasePersisterService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/TraderPurchasePersisterService.d.ts new file mode 100644 index 0000000..cd7518c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/TraderPurchasePersisterService.d.ts @@ -0,0 +1,36 @@ +import { ProfileHelper } from "@spt-aki/helpers/ProfileHelper"; +import { TraderPurchaseData } from "@spt-aki/models/eft/profile/IAkiProfile"; +import { ITraderConfig } from "@spt-aki/models/spt/config/ITraderConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +/** + * Help with storing limited item purchases from traders in profile to persist them over server restarts + */ +export declare class TraderPurchasePersisterService { + protected logger: ILogger; + protected timeUtil: TimeUtil; + protected profileHelper: ProfileHelper; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected traderConfig: ITraderConfig; + constructor(logger: ILogger, timeUtil: TimeUtil, profileHelper: ProfileHelper, localisationService: LocalisationService, configServer: ConfigServer); + /** + * Get the purchases made from a trader for this profile before the last trader reset + * @param sessionId Session id + * @param traderId Trader to loop up purchases for + * @returns Dict of assort id and count purchased + */ + getProfileTraderPurchases(sessionId: string, traderId: string): Record; + /** + * Remove all trader purchase records from all profiles that exist + * @param traderId Traders id + */ + resetTraderPurchasesStoredInProfile(traderId: string): void; + /** + * Iterate over all server profiles and remove specific trader purchase data that has passed the trader refesh time + * @param traderId Trader id + */ + removeStalePurchasesFromProfiles(traderId: string): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/mod/CustomItemService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/mod/CustomItemService.d.ts new file mode 100644 index 0000000..29329dc --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/mod/CustomItemService.d.ts @@ -0,0 +1,89 @@ +import { ItemHelper } from "@spt-aki/helpers/ItemHelper"; +import { ITemplateItem, Props } from "@spt-aki/models/eft/common/tables/ITemplateItem"; +import { CreateItemResult, LocaleDetails, NewItemDetails, NewItemFromCloneDetails } from "@spt-aki/models/spt/mod/NewItemDetails"; +import { IDatabaseTables } from "@spt-aki/models/spt/server/IDatabaseTables"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class CustomItemService { + protected logger: ILogger; + protected hashUtil: HashUtil; + protected jsonUtil: JsonUtil; + protected databaseServer: DatabaseServer; + protected itemHelper: ItemHelper; + protected tables: IDatabaseTables; + constructor(logger: ILogger, hashUtil: HashUtil, jsonUtil: JsonUtil, databaseServer: DatabaseServer, itemHelper: ItemHelper); + /** + * Create a new item from a cloned item base + * WARNING - If no item id is supplied, an id will be generated, this id will be random every time you add an item and will not be the same on each subsequent server start + * Add to the items db + * Add to the flea market + * Add to the handbook + * Add to the locales + * @param newItemDetails Item details for the new item to be created + * @returns tplId of the new item created + */ + createItemFromClone(newItemDetails: NewItemFromCloneDetails): CreateItemResult; + /** + * Create a new item without using an existing item as a template + * Add to the items db + * Add to the flea market + * Add to the handbook + * Add to the locales + * @param newItemDetails Details on what the item to be created + * @returns CreateItemResult containing the completed items Id + */ + createItem(newItemDetails: NewItemDetails): CreateItemResult; + /** + * If the id provided is an empty string, return a randomly generated guid, otherwise return the newId parameter + * @param newId id supplied to code + * @returns item id + */ + protected getOrGenerateIdForItem(newId: string): string; + /** + * Iterates through supplied properties and updates the cloned items properties with them + * Complex objects cannot have overrides, they must be fully hydrated with values if they are to be used + * @param overrideProperties new properties to apply + * @param itemClone item to update + */ + protected updateBaseItemPropertiesWithOverrides(overrideProperties: Props, itemClone: ITemplateItem): void; + /** + * Addd a new item object to the in-memory representation of items.json + * @param newItemId id of the item to add to items.json + * @param itemToAdd Item to add against the new id + */ + protected addToItemsDb(newItemId: string, itemToAdd: ITemplateItem): void; + /** + * Add a handbook price for an item + * @param newItemId id of the item being added + * @param parentId parent id of the item being added + * @param priceRoubles price of the item being added + */ + protected addToHandbookDb(newItemId: string, parentId: string, priceRoubles: number): void; + /** + * Iterate through the passed in locale data and add to each locale in turn + * If data is not provided for each langauge eft uses, the first object will be used in its place + * e.g. + * en[0] + * fr[1] + * + * No jp provided, so english will be used as a substitute + * @param localeDetails key is language, value are the new locale details + * @param newItemId id of the item being created + */ + protected addToLocaleDbs(localeDetails: Record, newItemId: string): void; + /** + * Add a price to the in-memory representation of prices.json, used to inform the flea of an items price on the market + * @param newItemId id of the new item + * @param fleaPriceRoubles Price of the new item + */ + protected addToFleaPriceDb(newItemId: string, fleaPriceRoubles: number): void; + /** + * Add a custom weapon to PMCs loadout + * @param weaponTpl Custom weapon tpl to add to PMCs + * @param weaponWeight The weighting for the weapon to be picked vs other weapons + * @param weaponSlot The slot the weapon should be added to (e.g. FirstPrimaryWeapon/SecondPrimaryWeapon/Holster) + */ + addCustomWeaponToPMCs(weaponTpl: string, weaponWeight: number, weaponSlot: string): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/mod/dynamicRouter/DynamicRouterMod.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/mod/dynamicRouter/DynamicRouterMod.d.ts new file mode 100644 index 0000000..5eed5b4 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/mod/dynamicRouter/DynamicRouterMod.d.ts @@ -0,0 +1,6 @@ +import { DynamicRouter, RouteAction } from "@spt-aki/di/Router"; +export declare class DynamicRouterMod extends DynamicRouter { + private topLevelRoute; + constructor(routes: RouteAction[], topLevelRoute: string); + getTopLevelRoute(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/mod/dynamicRouter/DynamicRouterModService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/mod/dynamicRouter/DynamicRouterModService.d.ts new file mode 100644 index 0000000..648d191 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/mod/dynamicRouter/DynamicRouterModService.d.ts @@ -0,0 +1,7 @@ +import { DependencyContainer } from "tsyringe"; +import { RouteAction } from "@spt-aki/di/Router"; +export declare class DynamicRouterModService { + private container; + constructor(container: DependencyContainer); + registerDynamicRouter(name: string, routes: RouteAction[], topLevelRoute: string): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/mod/httpListener/HttpListenerMod.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/mod/httpListener/HttpListenerMod.d.ts new file mode 100644 index 0000000..ebfa946 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/mod/httpListener/HttpListenerMod.d.ts @@ -0,0 +1,10 @@ +/// +import { IncomingMessage, ServerResponse } from "node:http"; +import { IHttpListener } from "@spt-aki/servers/http/IHttpListener"; +export declare class HttpListenerMod implements IHttpListener { + private canHandleOverride; + private handleOverride; + constructor(canHandleOverride: (sessionId: string, req: IncomingMessage) => boolean, handleOverride: (sessionId: string, req: IncomingMessage, resp: ServerResponse) => void); + canHandle(sessionId: string, req: IncomingMessage): boolean; + handle(sessionId: string, req: IncomingMessage, resp: ServerResponse): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/mod/httpListener/HttpListenerModService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/mod/httpListener/HttpListenerModService.d.ts new file mode 100644 index 0000000..23abfbe --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/mod/httpListener/HttpListenerModService.d.ts @@ -0,0 +1,8 @@ +/// +import { IncomingMessage, ServerResponse } from "node:http"; +import { DependencyContainer } from "tsyringe"; +export declare class HttpListenerModService { + protected container: DependencyContainer; + constructor(container: DependencyContainer); + registerHttpListener(name: string, canHandleOverride: (sessionId: string, req: IncomingMessage) => boolean, handleOverride: (sessionId: string, req: IncomingMessage, resp: ServerResponse) => void): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/mod/image/ImageRouteService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/mod/image/ImageRouteService.d.ts new file mode 100644 index 0000000..29569b2 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/mod/image/ImageRouteService.d.ts @@ -0,0 +1,6 @@ +export declare class ImageRouteService { + protected routes: Record; + addRoute(urlKey: string, route: string): void; + getByKey(urlKey: string): string; + existsByKey(urlKey: string): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/mod/onLoad/OnLoadMod.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/mod/onLoad/OnLoadMod.d.ts new file mode 100644 index 0000000..2bd5a31 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/mod/onLoad/OnLoadMod.d.ts @@ -0,0 +1,8 @@ +import { OnLoad } from "@spt-aki/di/OnLoad"; +export declare class OnLoadMod implements OnLoad { + private onLoadOverride; + private getRouteOverride; + constructor(onLoadOverride: () => void, getRouteOverride: () => string); + onLoad(): Promise; + getRoute(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/mod/onLoad/OnLoadModService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/mod/onLoad/OnLoadModService.d.ts new file mode 100644 index 0000000..f402103 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/mod/onLoad/OnLoadModService.d.ts @@ -0,0 +1,6 @@ +import { DependencyContainer } from "tsyringe"; +export declare class OnLoadModService { + protected container: DependencyContainer; + constructor(container: DependencyContainer); + registerOnLoad(name: string, onLoad: () => void, getRoute: () => string): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/mod/onUpdate/OnUpdateMod.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/mod/onUpdate/OnUpdateMod.d.ts new file mode 100644 index 0000000..bef1d1c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/mod/onUpdate/OnUpdateMod.d.ts @@ -0,0 +1,8 @@ +import { OnUpdate } from "@spt-aki/di/OnUpdate"; +export declare class OnUpdateMod implements OnUpdate { + private onUpdateOverride; + private getRouteOverride; + constructor(onUpdateOverride: (timeSinceLastRun: number) => boolean, getRouteOverride: () => string); + onUpdate(timeSinceLastRun: number): Promise; + getRoute(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/mod/onUpdate/OnUpdateModService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/mod/onUpdate/OnUpdateModService.d.ts new file mode 100644 index 0000000..05d735b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/mod/onUpdate/OnUpdateModService.d.ts @@ -0,0 +1,6 @@ +import { DependencyContainer } from "tsyringe"; +export declare class OnUpdateModService { + protected container: DependencyContainer; + constructor(container: DependencyContainer); + registerOnUpdate(name: string, onUpdate: (timeSinceLastRun: number) => boolean, getRoute: () => string): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/mod/staticRouter/StaticRouterMod.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/mod/staticRouter/StaticRouterMod.d.ts new file mode 100644 index 0000000..e01aaab --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/mod/staticRouter/StaticRouterMod.d.ts @@ -0,0 +1,6 @@ +import { RouteAction, StaticRouter } from "@spt-aki/di/Router"; +export declare class StaticRouterMod extends StaticRouter { + private topLevelRoute; + constructor(routes: RouteAction[], topLevelRoute: string); + getTopLevelRoute(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/services/mod/staticRouter/StaticRouterModService.d.ts b/TypeScript/23CustomAbstractChatBot/types/services/mod/staticRouter/StaticRouterModService.d.ts new file mode 100644 index 0000000..775caae --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/services/mod/staticRouter/StaticRouterModService.d.ts @@ -0,0 +1,7 @@ +import { DependencyContainer } from "tsyringe"; +import { RouteAction } from "@spt-aki/di/Router"; +export declare class StaticRouterModService { + protected container: DependencyContainer; + constructor(container: DependencyContainer); + registerStaticRouter(name: string, routes: RouteAction[], topLevelRoute: string): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/App.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/App.d.ts new file mode 100644 index 0000000..64800ce --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/App.d.ts @@ -0,0 +1,23 @@ +import { OnLoad } from "@spt-aki/di/OnLoad"; +import { OnUpdate } from "@spt-aki/di/OnUpdate"; +import { ICoreConfig } from "@spt-aki/models/spt/config/ICoreConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { EncodingUtil } from "@spt-aki/utils/EncodingUtil"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class App { + protected logger: ILogger; + protected timeUtil: TimeUtil; + protected localisationService: LocalisationService; + protected configServer: ConfigServer; + protected encodingUtil: EncodingUtil; + protected onLoadComponents: OnLoad[]; + protected onUpdateComponents: OnUpdate[]; + protected onUpdateLastRun: {}; + protected coreConfig: ICoreConfig; + constructor(logger: ILogger, timeUtil: TimeUtil, localisationService: LocalisationService, configServer: ConfigServer, encodingUtil: EncodingUtil, onLoadComponents: OnLoad[], onUpdateComponents: OnUpdate[]); + load(): Promise; + protected update(onUpdateComponents: OnUpdate[]): Promise; + protected logUpdateException(err: any, updateable: OnUpdate): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/AsyncQueue.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/AsyncQueue.d.ts new file mode 100644 index 0000000..2fab517 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/AsyncQueue.d.ts @@ -0,0 +1,7 @@ +import { IAsyncQueue } from "@spt-aki/models/spt/utils/IAsyncQueue"; +import { ICommand } from "@spt-aki/models/spt/utils/ICommand"; +export declare class AsyncQueue implements IAsyncQueue { + protected commandsQueue: ICommand[]; + constructor(); + waitFor(command: ICommand): Promise; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/DatabaseImporter.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/DatabaseImporter.d.ts new file mode 100644 index 0000000..f8218bf --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/DatabaseImporter.d.ts @@ -0,0 +1,54 @@ +import { OnLoad } from "@spt-aki/di/OnLoad"; +import { IHttpConfig } from "@spt-aki/models/spt/config/IHttpConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ImageRouter } from "@spt-aki/routers/ImageRouter"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { DatabaseServer } from "@spt-aki/servers/DatabaseServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { EncodingUtil } from "@spt-aki/utils/EncodingUtil"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { ImporterUtil } from "@spt-aki/utils/ImporterUtil"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { VFS } from "@spt-aki/utils/VFS"; +export declare class DatabaseImporter implements OnLoad { + protected logger: ILogger; + protected vfs: VFS; + protected jsonUtil: JsonUtil; + protected localisationService: LocalisationService; + protected databaseServer: DatabaseServer; + protected imageRouter: ImageRouter; + protected encodingUtil: EncodingUtil; + protected hashUtil: HashUtil; + protected importerUtil: ImporterUtil; + protected configServer: ConfigServer; + private hashedFile; + private valid; + private filepath; + protected httpConfig: IHttpConfig; + constructor(logger: ILogger, vfs: VFS, jsonUtil: JsonUtil, localisationService: LocalisationService, databaseServer: DatabaseServer, imageRouter: ImageRouter, encodingUtil: EncodingUtil, hashUtil: HashUtil, importerUtil: ImporterUtil, configServer: ConfigServer); + /** + * Get path to aki data + * @returns path to data + */ + getSptDataPath(): string; + onLoad(): Promise; + /** + * Read all json files in database folder and map into a json object + * @param filepath path to database folder + */ + protected hydrateDatabase(filepath: string): Promise; + protected onReadValidate(fileWithPath: string, data: string): void; + getRoute(): string; + protected validateFile(filePathAndName: string, fileData: any): boolean; + /** + * Find and map files with image router inside a designated path + * @param filepath Path to find files in + */ + loadImages(filepath: string, directories: string[], routes: string[]): void; + /** + * Check for a path override in the http json config file + * @param imagePath Key + * @returns override for key + */ + protected getImagePathOverride(imagePath: string): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/EncodingUtil.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/EncodingUtil.d.ts new file mode 100644 index 0000000..dabb97a --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/EncodingUtil.d.ts @@ -0,0 +1,15 @@ +export declare class EncodingUtil { + encode(value: string, encode: EncodeType): string; + decode(value: string, encode: EncodeType): string; + fromBase64(value: string): string; + toBase64(value: string): string; + fromHex(value: string): string; + toHex(value: string): string; +} +export declare enum EncodeType { + BASE64 = "base64", + HEX = "hex", + ASCII = "ascii", + BINARY = "binary", + UTF8 = "utf8" +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/HashUtil.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/HashUtil.d.ts new file mode 100644 index 0000000..c51fb5c --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/HashUtil.d.ts @@ -0,0 +1,22 @@ +/// +import crypto from "node:crypto"; +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class HashUtil { + protected timeUtil: TimeUtil; + constructor(timeUtil: TimeUtil); + /** + * Create a 24 character id using the sha256 algorithm + current timestamp + * @returns 24 character hash + */ + generate(): string; + generateMd5ForData(data: string): string; + generateSha1ForData(data: string): string; + /** + * Create a hash for the data parameter + * @param algorithm algorithm to use to hash + * @param data data to be hashed + * @returns hash value + */ + generateHashForData(algorithm: string, data: crypto.BinaryLike): string; + generateAccountId(): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/HttpFileUtil.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/HttpFileUtil.d.ts new file mode 100644 index 0000000..4296fe4 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/HttpFileUtil.d.ts @@ -0,0 +1,8 @@ +/// +import { ServerResponse } from "node:http"; +import { HttpServerHelper } from "@spt-aki/helpers/HttpServerHelper"; +export declare class HttpFileUtil { + protected httpServerHelper: HttpServerHelper; + constructor(httpServerHelper: HttpServerHelper); + sendFile(resp: ServerResponse, file: any): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/HttpResponseUtil.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/HttpResponseUtil.d.ts new file mode 100644 index 0000000..9868c1e --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/HttpResponseUtil.d.ts @@ -0,0 +1,31 @@ +import { IGetBodyResponseData } from "@spt-aki/models/eft/httpResponse/IGetBodyResponseData"; +import { INullResponseData } from "@spt-aki/models/eft/httpResponse/INullResponseData"; +import { IItemEventRouterResponse } from "@spt-aki/models/eft/itemEvent/IItemEventRouterResponse"; +import { BackendErrorCodes } from "@spt-aki/models/enums/BackendErrorCodes"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +export declare class HttpResponseUtil { + protected jsonUtil: JsonUtil; + protected localisationService: LocalisationService; + constructor(jsonUtil: JsonUtil, localisationService: LocalisationService); + protected clearString(s: string): any; + /** + * Return passed in data as JSON string + * @param data + * @returns + */ + noBody(data: any): any; + /** + * Game client needs server responses in a particular format + * @param data + * @param err + * @param errmsg + * @returns + */ + getBody(data: T, err?: number, errmsg?: any, sanitize?: boolean): IGetBodyResponseData; + getUnclearedBody(data: any, err?: number, errmsg?: any): string; + emptyResponse(): IGetBodyResponseData; + nullResponse(): INullResponseData; + emptyArrayResponse(): IGetBodyResponseData; + appendErrorToOutput(output: IItemEventRouterResponse, message?: string, errorCode?: BackendErrorCodes): IItemEventRouterResponse; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/ImporterUtil.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/ImporterUtil.d.ts new file mode 100644 index 0000000..7ce1bdb --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/ImporterUtil.d.ts @@ -0,0 +1,21 @@ +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { VFS } from "@spt-aki/utils/VFS"; +export declare class ImporterUtil { + protected vfs: VFS; + protected jsonUtil: JsonUtil; + constructor(vfs: VFS, jsonUtil: JsonUtil); + /** + * Load files into js objects recursively (asynchronous) + * @param filepath Path to folder with files + * @returns Promise return T type associated with this class + */ + loadRecursiveAsync(filepath: string, onReadCallback?: (fileWithPath: string, data: string) => void, onObjectDeserialized?: (fileWithPath: string, object: any) => void): Promise; + /** + * Load files into js objects recursively (synchronous) + * @param filepath Path to folder with files + * @returns + */ + loadRecursive(filepath: string, onReadCallback?: (fileWithPath: string, data: string) => void, onObjectDeserialized?: (fileWithPath: string, object: any) => void): T; + loadAsync(filepath: string, strippablePath?: string, onReadCallback?: (fileWithPath: string, data: string) => void, onObjectDeserialized?: (fileWithPath: string, object: any) => void): Promise; + protected placeObject(fileDeserialized: any, strippedFilePath: string, result: T, strippablePath: string): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/JsonUtil.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/JsonUtil.d.ts new file mode 100644 index 0000000..befc3cb --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/JsonUtil.d.ts @@ -0,0 +1,77 @@ +import { IParseOptions, IStringifyOptions, Reviver } from "jsonc/lib/interfaces"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { HashUtil } from "@spt-aki/utils/HashUtil"; +import { VFS } from "@spt-aki/utils/VFS"; +export declare class JsonUtil { + protected vfs: VFS; + protected hashUtil: HashUtil; + protected logger: ILogger; + protected fileHashes: any; + protected jsonCacheExists: boolean; + protected jsonCachePath: string; + constructor(vfs: VFS, hashUtil: HashUtil, logger: ILogger); + /** + * From object to string + * @param data object to turn into JSON + * @param prettify Should output be prettified + * @returns string + */ + serialize(data: any, prettify?: boolean): string; + /** + * From object to string + * @param data object to turn into JSON + * @param replacer An array of strings and numbers that acts as an approved list for selecting the object properties that will be stringified. + * @param space Adds indentation, white space, and line break characters to the return-value JSON text to make it easier to read. + * @returns string + */ + serializeAdvanced(data: any, replacer?: (this: any, key: string, value: any) => any, space?: string | number): string; + /** + * From object to string + * @param data object to turn into JSON + * @param filename Name of file being serialized + * @param options Stringify options or a replacer. + * @returns The string converted from the JavaScript value + */ + serializeJsonC(data: any, filename?: string | null, options?: IStringifyOptions | Reviver): string; + serializeJson5(data: any, filename?: string | null, prettify?: boolean): string; + /** + * From string to object + * @param jsonString json string to turn into object + * @param filename Name of file being deserialized + * @returns object + */ + deserialize(jsonString: string, filename?: string): T; + /** + * From string to object + * @param jsonString json string to turn into object + * @param filename Name of file being deserialized + * @param options Parsing options + * @returns object + */ + deserializeJsonC(jsonString: string, filename?: string, options?: IParseOptions): T; + deserializeJson5(jsonString: string, filename?: string): T; + deserializeWithCacheCheckAsync(jsonString: string, filePath: string): Promise; + /** + * From json string to object + * @param jsonString String to turn into object + * @param filePath Path to json file being processed + * @returns Object + */ + deserializeWithCacheCheck(jsonString: string, filePath: string): T; + /** + * Create file if nothing found + * @param jsonCachePath path to cache + */ + protected ensureJsonCacheExists(jsonCachePath: string): void; + /** + * Read contents of json cache and add to class field + * @param jsonCachePath Path to cache + */ + protected hydrateJsonCache(jsonCachePath: string): void; + /** + * Convert into string and back into object to clone object + * @param objectToClone Item to clone + * @returns Cloned parameter + */ + clone(objectToClone: T): T; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/MathUtil.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/MathUtil.d.ts new file mode 100644 index 0000000..4acfeaf --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/MathUtil.d.ts @@ -0,0 +1,53 @@ +export declare class MathUtil { + /** + * Helper to create the sum of all array elements + * @param {array} values The array with numbers of which to calculate the sum + * @return {number} sum(values) + */ + arraySum(values: number[]): number; + /** + * Helper to create the cumulative sum of all array elements + * arrayCumsum([1, 2, 3, 4]) = [1, 3, 6, 10] + * @param {array} values The array with numbers of which to calculate the cumulative sum + * @return {array} cumsum(values) + */ + arrayCumsum(values: number[]): number[]; + /** + * Helper to create the product of each element times factor + * @param {array} values The array of numbers which shall be multiplied by the factor + * @return {array} array times factor + */ + arrayProd(values: number[], factor: number): number[]; + /** + * Helper to add a constant to all array elements + * @param {array} values The array of numbers to which the summand should be added + * @return {array} array plus summand + */ + arrayAdd(values: number[], summand: number): number[]; + /** + * Map a value from an input range to an output range linearly + * + * Example: + * a_min = 0; a_max=1; + * b_min = 1; b_max=3; + * MathUtil.mapToRange(0.5, a_min, a_max, b_min, b_max) // returns 2 + * + * @param {number} x The value from input range to be mapped to output range + * @param {number} minIn min of input range + * @param {number} maxIn max of input range + * @param {number} minOut min of output range + * @param {number} maxOut max of outout range + * @return {number} the result of the mapping + */ + mapToRange(x: number, minIn: number, maxIn: number, minOut: number, maxOut: number): number; + /** + * Linear interpolation + * e.g. used to do a continuous integration for quest rewards which are defined for specific support centers of pmcLevel + * + * @param {string} xp the point of x at which to interpolate + * @param {array} x support points in x (of same length as y) + * @param {array} y support points in y (of same length as x) + * @return {number} y(xp) + */ + interp1(xp: number, x: number[], y: number[]): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/ObjectId.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/ObjectId.d.ts new file mode 100644 index 0000000..309354f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/ObjectId.d.ts @@ -0,0 +1,14 @@ +/// +import { TimeUtil } from "@spt-aki/utils/TimeUtil"; +export declare class ObjectId { + protected timeUtil: TimeUtil; + constructor(timeUtil: TimeUtil); + protected randomBytes: Buffer; + protected constglobalCounter: number; + protected consttime: number; + protected globalCounter: number; + protected time: number; + incGlobalCounter(): number; + toHexString(byteArray: string | any[] | Buffer): string; + generate(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/RagfairOfferHolder.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/RagfairOfferHolder.d.ts new file mode 100644 index 0000000..f3c9957 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/RagfairOfferHolder.d.ts @@ -0,0 +1,24 @@ +import { IRagfairOffer } from "@spt-aki/models/eft/ragfair/IRagfairOffer"; +export declare class RagfairOfferHolder { + protected offersById: Map; + protected offersByTemplate: Map>; + protected offersByTrader: Map>; + constructor(); + getOfferById(id: string): IRagfairOffer; + getOffersByTemplate(templateId: string): Array; + getOffersByTrader(traderId: string): Array; + getOffers(): Array; + addOffers(offers: Array): void; + addOffer(offer: IRagfairOffer): void; + removeOffer(offer: IRagfairOffer): void; + removeOffers(offers: Array): void; + removeOfferByTrader(traderId: string): void; + /** + * Get an array of stale offers that are still shown to player + * @returns IRagfairOffer array + */ + getStaleOffers(time: number): Array; + protected addOfferByTemplates(template: string, offer: IRagfairOffer): void; + protected addOfferByTrader(trader: string, offer: IRagfairOffer): void; + protected isStale(offer: IRagfairOffer, time: number): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/RandomUtil.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/RandomUtil.d.ts new file mode 100644 index 0000000..3552fb4 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/RandomUtil.d.ts @@ -0,0 +1,173 @@ +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { JsonUtil } from "@spt-aki/utils/JsonUtil"; +import { MathUtil } from "@spt-aki/utils/MathUtil"; +/** + * Array of ProbabilityObjectArray which allow to randomly draw of the contained objects + * based on the relative probability of each of its elements. + * The probabilities of the contained element is not required to be normalized. + * + * Example: + * po = new ProbabilityObjectArray( + * new ProbabilityObject("a", 5), + * new ProbabilityObject("b", 1), + * new ProbabilityObject("c", 1) + * ); + * res = po.draw(10000); + * // count the elements which should be distributed according to the relative probabilities + * res.filter(x => x==="b").reduce((sum, x) => sum + 1 , 0) + */ +export declare class ProbabilityObjectArray extends Array> { + private mathUtil; + private jsonUtil; + constructor(mathUtil: MathUtil, jsonUtil: JsonUtil, ...items: ProbabilityObject[]); + filter(callbackfn: (value: ProbabilityObject, index: number, array: ProbabilityObject[]) => any): ProbabilityObjectArray; + /** + * Calculates the normalized cumulative probability of the ProbabilityObjectArray's elements normalized to 1 + * @param {array} probValues The relative probability values of which to calculate the normalized cumulative sum + * @returns {array} Cumulative Sum normalized to 1 + */ + cumulativeProbability(probValues: number[]): number[]; + /** + * Clone this ProbabilitObjectArray + * @returns {ProbabilityObjectArray} Deep Copy of this ProbabilityObjectArray + */ + clone(): ProbabilityObjectArray; + /** + * Drop an element from the ProbabilityObjectArray + * + * @param {string} key The key of the element to drop + * @returns {ProbabilityObjectArray} ProbabilityObjectArray without the dropped element + */ + drop(key: K): ProbabilityObjectArray; + /** + * Return the data field of a element of the ProbabilityObjectArray + * @param {string} key The key of the element whose data shall be retrieved + * @returns {object} The data object + */ + data(key: K): V; + /** + * Get the relative probability of an element by its key + * + * Example: + * po = new ProbabilityObjectArray(new ProbabilityObject("a", 5), new ProbabilityObject("b", 1)) + * po.maxProbability() // returns 5 + * + * @param {string} key The key of the element whose relative probability shall be retrieved + * @return {number} The relative probability + */ + probability(key: K): number; + /** + * Get the maximum relative probability out of a ProbabilityObjectArray + * + * Example: + * po = new ProbabilityObjectArray(new ProbabilityObject("a", 5), new ProbabilityObject("b", 1)) + * po.maxProbability() // returns 5 + * + * @return {number} the maximum value of all relative probabilities in this ProbabilityObjectArray + */ + maxProbability(): number; + /** + * Get the minimum relative probability out of a ProbabilityObjectArray + * + * Example: + * po = new ProbabilityObjectArray(new ProbabilityObject("a", 5), new ProbabilityObject("b", 1)) + * po.minProbability() // returns 1 + * + * @return {number} the minimum value of all relative probabilities in this ProbabilityObjectArray + */ + minProbability(): number; + /** + * Draw random element of the ProbabilityObject N times to return an array of N keys. + * Drawing can be with or without replacement + * @param count The number of times we want to draw + * @param replacement Draw with or without replacement from the input dict (true = dont remove after drawing) + * @param locklist list keys which shall be replaced even if drawing without replacement + * @returns Array consisting of N random keys for this ProbabilityObjectArray + */ + draw(count?: number, replacement?: boolean, locklist?: Array): K[]; +} +/** + * A ProbabilityObject which is use as an element to the ProbabilityObjectArray array + * It contains a key, the relative probability as well as optional data. + */ +export declare class ProbabilityObject { + key: K; + relativeProbability: number; + data: V; + /** + * Constructor for the ProbabilityObject + * @param {string} key The key of the element + * @param {number} relativeProbability The relative probability of this element + * @param {any} data Optional data attached to the element + */ + constructor(key: K, relativeProbability: number, data?: V); +} +export declare class RandomUtil { + protected jsonUtil: JsonUtil; + protected logger: ILogger; + constructor(jsonUtil: JsonUtil, logger: ILogger); + getInt(min: number, max: number): number; + getIntEx(max: number): number; + getFloat(min: number, max: number): number; + getBool(): boolean; + getPercentOfValue(percent: number, number: number, toFixed?: number): number; + /** + * Reduce a value by a percentage + * @param number Value to reduce + * @param percentage Percentage to reduce value by + * @returns Reduced value + */ + reduceValueByPercent(number: number, percentage: number): number; + /** + * Check if number passes a check out of 100 + * @param chancePercent value check needs to be above + * @returns true if value passes check + */ + getChance100(chancePercent: number): boolean; + getStringArrayValue(arr: string[]): string; + getArrayValue(arr: T[]): T; + getKey(node: any): string; + getKeyValue(node: { + [x: string]: any; + }): any; + /** + * Draw from normal distribution + * @param {number} mu Mean of the normal distribution + * @param {number} sigma Standard deviation of the normal distribution + * @returns {number} The value drawn + */ + randn(mu: number, sigma: number): number; + /** + * Draw Random integer low inclusive, high exclusive + * if high is not set we draw from 0 to low (exclusive) + * @param {integer} low Lower bound inclusive, when high is not set, this is high + * @param {integer} high Higher bound exclusive + * @returns {integer} The random integer in [low, high) + */ + randInt(low: number, high?: number): number; + /** + * Draw a random element of the provided list N times to return an array of N random elements + * Drawing can be with or without replacement + * @param {array} list The array we want to draw randomly from + * @param {integer} count The number of times we want to draw + * @param {boolean} replacement Draw with or without replacement from the input array(defult true) + * @return {array} Array consisting of N random elements + */ + drawRandomFromList(list: Array, count?: number, replacement?: boolean): Array; + /** + * Draw a random (top level) element of the provided dictionary N times to return an array of N random dictionary keys + * Drawing can be with or without replacement + * @param {any} dict The dictionary we want to draw randomly from + * @param {integer} count The number of times we want to draw + * @param {boolean} replacement Draw with ot without replacement from the input dict + * @return {array} Array consisting of N random keys of the dictionary + */ + drawRandomFromDict(dict: any, count?: number, replacement?: boolean): any[]; + getBiasedRandomNumber(min: number, max: number, shift: number, n: number): number; + /** + * Fisher-Yates shuffle an array + * @param array Array to shuffle + * @returns Shuffled array + */ + shuffle(array: Array): Array; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/TimeUtil.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/TimeUtil.d.ts new file mode 100644 index 0000000..1367e26 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/TimeUtil.d.ts @@ -0,0 +1,31 @@ +/** + * Utility class to handle time related problems + */ +export declare class TimeUtil { + static readonly oneHourAsSeconds = 3600; + formatTime(date: Date): string; + formatDate(date: Date): string; + getDate(): string; + getTime(): string; + /** + * Get timestamp in seconds + * @returns + */ + getTimestamp(): number; + /** + * mail in eft requires time be in a specific format + * @returns current time in format: 00:00 (hh:mm) + */ + getTimeMailFormat(): string; + /** + * Mail in eft requires date be in a specific format + * @returns current date in format: 00.00.0000 (dd.mm.yyyy) + */ + getDateMailFormat(): string; + /** + * Convert hours into seconds + * @param hours hours to convert to seconds + * @returns number + */ + getHoursAsSeconds(hours: number): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/UUidGenerator.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/UUidGenerator.d.ts new file mode 100644 index 0000000..0d9ad2f --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/UUidGenerator.d.ts @@ -0,0 +1,4 @@ +import { IUUidGenerator } from "@spt-aki/models/spt/utils/IUuidGenerator"; +export declare class UUidGenerator implements IUUidGenerator { + generate(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/VFS.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/VFS.d.ts new file mode 100644 index 0000000..eefcccb --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/VFS.d.ts @@ -0,0 +1,59 @@ +/// +/// +import fs from "node:fs"; +import "reflect-metadata"; +import { IAsyncQueue } from "@spt-aki/models/spt/utils/IAsyncQueue"; +import { IUUidGenerator } from "@spt-aki/models/spt/utils/IUuidGenerator"; +export declare class VFS { + protected asyncQueue: IAsyncQueue; + protected uuidGenerator: IUUidGenerator; + accessFilePromisify: (path: fs.PathLike, mode?: number) => Promise; + copyFilePromisify: (src: fs.PathLike, dst: fs.PathLike, flags?: number) => Promise; + mkdirPromisify: (path: fs.PathLike, options: fs.MakeDirectoryOptions & { + recursive: true; + }) => Promise; + readFilePromisify: (path: fs.PathLike) => Promise; + writeFilePromisify: (path: fs.PathLike, data: string, options?: any) => Promise; + readdirPromisify: (path: fs.PathLike, options?: BufferEncoding | { + encoding: BufferEncoding; + withFileTypes?: false; + }) => Promise; + statPromisify: (path: fs.PathLike, options?: fs.StatOptions & { + bigint?: false; + }) => Promise; + unlinkPromisify: (path: fs.PathLike) => Promise; + rmdirPromisify: (path: fs.PathLike) => Promise; + renamePromisify: (oldPath: fs.PathLike, newPath: fs.PathLike) => Promise; + constructor(asyncQueue: IAsyncQueue, uuidGenerator: IUUidGenerator); + exists(filepath: fs.PathLike): boolean; + existsAsync(filepath: fs.PathLike): Promise; + copyFile(filepath: fs.PathLike, target: fs.PathLike): void; + copyAsync(filepath: fs.PathLike, target: fs.PathLike): Promise; + createDir(filepath: string): void; + createDirAsync(filepath: string): Promise; + copyDir(filepath: string, target: string, fileExtensions?: string | string[]): void; + copyDirAsync(filepath: string, target: string, fileExtensions: string | string[]): Promise; + readFile(...args: Parameters): string; + readFileAsync(path: fs.PathLike): Promise; + private isBuffer; + writeFile(filepath: any, data?: string, append?: boolean, atomic?: boolean): void; + writeFileAsync(filepath: any, data?: string, append?: boolean, atomic?: boolean): Promise; + getFiles(filepath: string): string[]; + getFilesAsync(filepath: string): Promise; + getDirs(filepath: string): string[]; + getDirsAsync(filepath: string): Promise; + removeFile(filepath: string): void; + removeFileAsync(filepath: string): Promise; + removeDir(filepath: string): void; + removeDirAsync(filepath: string): Promise; + rename(oldPath: string, newPath: string): void; + renameAsync(oldPath: string, newPath: string): Promise; + protected lockFileSync(filepath: any): void; + protected checkFileSync(filepath: any): any; + protected unlockFileSync(filepath: any): void; + getFileExtension(filepath: string): string; + stripExtension(filepath: string): string; + minifyAllJsonInDirRecursive(filepath: string): Promise; + minifyAllJsonInDirRecursiveAsync(filepath: string): Promise; + getFilesOfType(directory: string, fileType: string, files?: string[]): string[]; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/Watermark.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/Watermark.d.ts new file mode 100644 index 0000000..703d7bc --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/Watermark.d.ts @@ -0,0 +1,45 @@ +import { ICoreConfig } from "@spt-aki/models/spt/config/ICoreConfig"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { ConfigServer } from "@spt-aki/servers/ConfigServer"; +import { LocalisationService } from "@spt-aki/services/LocalisationService"; +export declare class WatermarkLocale { + protected localisationService: LocalisationService; + protected description: string[]; + protected warning: string[]; + protected modding: string[]; + constructor(localisationService: LocalisationService); + getDescription(): string[]; + getWarning(): string[]; + getModding(): string[]; +} +export declare class Watermark { + protected logger: ILogger; + protected configServer: ConfigServer; + protected localisationService: LocalisationService; + protected watermarkLocale?: WatermarkLocale; + protected akiConfig: ICoreConfig; + constructor(logger: ILogger, configServer: ConfigServer, localisationService: LocalisationService, watermarkLocale?: WatermarkLocale); + protected text: string[]; + protected versionLabel: string; + initialize(): void; + /** + * Get a version string (x.x.x) or (x.x.x-BLEEDINGEDGE) OR (X.X.X (18xxx)) + * @param withEftVersion Include the eft version this spt version was made for + * @returns string + */ + getVersionTag(withEftVersion?: boolean): string; + /** + * Handle singleplayer/settings/version + * Get text shown in game on screen, can't be translated as it breaks bsgs client when certian characters are used + * @returns string + */ + getInGameVersionLabel(): string; + /** Set window title */ + protected setTitle(): void; + /** Reset console cursor to top */ + protected resetCursor(): void; + /** Draw the watermark */ + protected draw(): void; + /** Caculate text length */ + protected textLength(s: string): number; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/collections/lists/LinkedList.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/collections/lists/LinkedList.d.ts new file mode 100644 index 0000000..aca0659 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/collections/lists/LinkedList.d.ts @@ -0,0 +1,30 @@ +export declare class LinkedList { + private head; + private tail; + add(t: T): void; + addRange(list: T[]): void; + getHead(): LinkedListNode; + getTail(): LinkedListNode; + isEmpty(): boolean; + getSize(): number; + removeFirst(): LinkedListNode; + removeLast(): LinkedListNode; + indexOf(func: (t: T) => boolean): number; + contains(func: (t: T) => boolean): boolean; + forEachNode(func: (t: LinkedListNode) => void): void; + forEachValue(func: (t: T) => void): void; + findFirstNode(func: (t: LinkedListNode) => boolean): LinkedListNode; + findFirstValue(func: (t: T) => boolean): T; + toList(): T[]; +} +export declare class LinkedListNode { + private previous; + private value; + private next; + constructor(value: T, previous?: LinkedListNode, next?: LinkedListNode); + getValue(): T; + getNextNode(): LinkedListNode; + setNextNode(node: LinkedListNode): void; + getPreviousNode(): LinkedListNode; + setPreviousNode(node: LinkedListNode): void; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/collections/queue/Queue.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/collections/queue/Queue.d.ts new file mode 100644 index 0000000..645d462 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/collections/queue/Queue.d.ts @@ -0,0 +1,12 @@ +export declare class Queue { + private elements; + private head; + private tail; + constructor(); + enqueue(element: T): void; + enqueueAll(elements: T[]): void; + dequeue(): T; + peek(): T; + getLength(): number; + isEmpty(): boolean; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/logging/AbstractWinstonLogger.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/logging/AbstractWinstonLogger.d.ts new file mode 100644 index 0000000..4d2eba7 --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/logging/AbstractWinstonLogger.d.ts @@ -0,0 +1,69 @@ +/// +import fs from "node:fs"; +import winston from "winston"; +import { Daum } from "@spt-aki/models/eft/itemEvent/IItemEventRouterRequest"; +import { LogBackgroundColor } from "@spt-aki/models/spt/logging/LogBackgroundColor"; +import { LogTextColor } from "@spt-aki/models/spt/logging/LogTextColor"; +import { SptLogger } from "@spt-aki/models/spt/logging/SptLogger"; +import { IAsyncQueue } from "@spt-aki/models/spt/utils/IAsyncQueue"; +import { ILogger } from "@spt-aki/models/spt/utils/ILogger"; +import { IUUidGenerator } from "@spt-aki/models/spt/utils/IUuidGenerator"; +export declare abstract class AbstractWinstonLogger implements ILogger { + protected asyncQueue: IAsyncQueue; + protected uuidGenerator: IUUidGenerator; + protected showDebugInConsole: boolean; + protected filePath: string; + protected logLevels: { + levels: { + error: number; + warn: number; + succ: number; + info: number; + custom: number; + debug: number; + }; + colors: { + error: string; + warn: string; + succ: string; + info: string; + custom: string; + debug: string; + }; + bgColors: { + default: string; + blackBG: string; + redBG: string; + greenBG: string; + yellowBG: string; + blueBG: string; + magentaBG: string; + cyanBG: string; + whiteBG: string; + }; + }; + protected logger: winston.Logger & SptLogger; + protected writeFilePromisify: (path: fs.PathLike, data: string, options?: any) => Promise; + constructor(asyncQueue: IAsyncQueue, uuidGenerator: IUUidGenerator); + protected abstract isLogToFile(): boolean; + protected abstract isLogToConsole(): boolean; + protected abstract isLogExceptions(): boolean; + protected abstract getFilePath(): string; + protected abstract getFileName(): string; + protected getLogMaxSize(): string; + protected getLogMaxFiles(): string; + writeToLogFile(data: string | Daum): Promise; + log(data: string | Error | Record, color: string, backgroundColor?: string): Promise; + error(data: string | Record): Promise; + warning(data: string | Record): Promise; + success(data: string | Record): Promise; + info(data: string | Record): Promise; + /** + * Log to console text with a customisable text and background color. Background defaults to black + * @param data text to log + * @param textColor color of text + * @param backgroundColor color of background + */ + logWithColor(data: string | Record, textColor: LogTextColor, backgroundColor?: LogBackgroundColor): Promise; + debug(data: string | Record, onlyShowInConsole?: boolean): Promise; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/logging/WinstonMainLogger.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/logging/WinstonMainLogger.d.ts new file mode 100644 index 0000000..ae1b6fc --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/logging/WinstonMainLogger.d.ts @@ -0,0 +1,13 @@ +import { IAsyncQueue } from "@spt-aki/models/spt/utils/IAsyncQueue"; +import { IUUidGenerator } from "@spt-aki/models/spt/utils/IUuidGenerator"; +import { AbstractWinstonLogger } from "@spt-aki/utils/logging/AbstractWinstonLogger"; +export declare class WinstonMainLogger extends AbstractWinstonLogger { + protected asyncQueue: IAsyncQueue; + protected uuidGenerator: IUUidGenerator; + constructor(asyncQueue: IAsyncQueue, uuidGenerator: IUUidGenerator); + protected isLogExceptions(): boolean; + protected isLogToFile(): boolean; + protected isLogToConsole(): boolean; + protected getFilePath(): string; + protected getFileName(): string; +} diff --git a/TypeScript/23CustomAbstractChatBot/types/utils/logging/WinstonRequestLogger.d.ts b/TypeScript/23CustomAbstractChatBot/types/utils/logging/WinstonRequestLogger.d.ts new file mode 100644 index 0000000..be14f1b --- /dev/null +++ b/TypeScript/23CustomAbstractChatBot/types/utils/logging/WinstonRequestLogger.d.ts @@ -0,0 +1,14 @@ +import { IAsyncQueue } from "@spt-aki/models/spt/utils/IAsyncQueue"; +import { IUUidGenerator } from "@spt-aki/models/spt/utils/IUuidGenerator"; +import { AbstractWinstonLogger } from "@spt-aki/utils/logging/AbstractWinstonLogger"; +export declare class WinstonRequestLogger extends AbstractWinstonLogger { + protected asyncQueue: IAsyncQueue; + protected uuidGenerator: IUUidGenerator; + constructor(asyncQueue: IAsyncQueue, uuidGenerator: IUUidGenerator); + protected isLogExceptions(): boolean; + protected isLogToFile(): boolean; + protected isLogToConsole(): boolean; + protected getFilePath(): string; + protected getFileName(): string; + protected getLogMaxSize(): string; +}