mirror of
https://github.com/discourse/discourse-ai.git
synced 2025-02-05 19:18:11 +00:00
f9d7d7f5f0
* DEV: AI bot migration to the Llm pattern. We added tool and conversation context support to the Llm service in discourse-ai#366, meaning we met all the conditions to migrate this module. This PR migrates to the new pattern, meaning adding a new bot now requires minimal effort as long as the service supports it. On top of this, we introduce the concept of a "Playground" to separate the PM-specific bits from the completion, allowing us to use the bot in other contexts like chat in the future. Commands are called tools, and we simplified all the placeholder logic to perform updates in a single place, making the flow more one-wayish. * Followup fixes based on testing * Cleanup unused inference code * FIX: text-based tools could be in the middle of a sentence * GPT-4-turbo support * Use new LLM API
89 lines
2.3 KiB
Ruby
89 lines
2.3 KiB
Ruby
# frozen_string_literal: true
|
|
|
|
module DiscourseAi
|
|
module AiBot
|
|
module Tools
|
|
class SearchSettings < Tool
|
|
INCLUDE_DESCRIPTIONS_MAX_LENGTH = 10
|
|
MAX_RESULTS = 200
|
|
|
|
def self.signature
|
|
{
|
|
name: name,
|
|
description: "Will search through site settings and return top 20 results",
|
|
parameters: [
|
|
{
|
|
name: "query",
|
|
description:
|
|
"comma delimited list of settings to search for (e.g. 'setting_1,setting_2')",
|
|
type: "string",
|
|
required: true,
|
|
},
|
|
],
|
|
}
|
|
end
|
|
|
|
def self.name
|
|
"search_settings"
|
|
end
|
|
|
|
def query
|
|
parameters[:query].to_s
|
|
end
|
|
|
|
def invoke(_bot_user, _llm)
|
|
@last_num_results = 0
|
|
|
|
terms = query.split(",").map(&:strip).map(&:downcase).reject(&:blank?)
|
|
|
|
found =
|
|
SiteSetting.all_settings.filter do |setting|
|
|
name = setting[:setting].to_s.downcase
|
|
description = setting[:description].to_s.downcase
|
|
plugin = setting[:plugin].to_s.downcase
|
|
|
|
search_string = "#{name} #{description} #{plugin}"
|
|
|
|
terms.any? { |term| search_string.include?(term) }
|
|
end
|
|
|
|
if found.blank?
|
|
{
|
|
args: {
|
|
query: query,
|
|
},
|
|
rows: [],
|
|
instruction: "no settings matched #{query}, expand your search",
|
|
}
|
|
else
|
|
include_descriptions = false
|
|
|
|
if found.length > MAX_RESULTS
|
|
found = found[0..MAX_RESULTS]
|
|
elsif found.length < INCLUDE_DESCRIPTIONS_MAX_LENGTH
|
|
include_descriptions = true
|
|
end
|
|
|
|
@last_num_results = found.length
|
|
|
|
format_results(found, args: { query: query }) do |setting|
|
|
result = { name: setting[:setting] }
|
|
if include_descriptions
|
|
result[:description] = setting[:description]
|
|
result[:plugin] = setting[:plugin]
|
|
end
|
|
result
|
|
end
|
|
end
|
|
end
|
|
|
|
protected
|
|
|
|
def description_args
|
|
{ count: @last_num_results || 0, query: parameters[:query].to_s }
|
|
end
|
|
end
|
|
end
|
|
end
|
|
end
|