Skip to content

Commit f4a8808

Browse files
authored
Add function calling support (#116)
1 parent 48a0c2f commit f4a8808

11 files changed

+631
-2
lines changed

Sources/GoogleAI/Chat.swift

+1-1
Original file line numberDiff line numberDiff line change
@@ -153,7 +153,7 @@ public class Chat {
153153
case let .text(str):
154154
combinedText += str
155155

156-
case .data(mimetype: _, _):
156+
case .data, .functionCall, .functionResponse:
157157
// Don't combine it, just add to the content. If there's any text pending, add that as
158158
// a part.
159159
if !combinedText.isEmpty {
+235
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,235 @@
1+
// Copyright 2024 Google LLC
2+
//
3+
// Licensed under the Apache License, Version 2.0 (the "License");
4+
// you may not use this file except in compliance with the License.
5+
// You may obtain a copy of the License at
6+
//
7+
// http://www.apache.org/licenses/LICENSE-2.0
8+
//
9+
// Unless required by applicable law or agreed to in writing, software
10+
// distributed under the License is distributed on an "AS IS" BASIS,
11+
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12+
// See the License for the specific language governing permissions and
13+
// limitations under the License.
14+
15+
import Foundation
16+
17+
/// A predicted function call returned from the model.
18+
public struct FunctionCall: Equatable, Encodable {
19+
/// The name of the function to call.
20+
public let name: String
21+
22+
/// The function parameters and values.
23+
public let args: JSONObject
24+
}
25+
26+
/// A `Schema` object allows the definition of input and output data types.
27+
///
28+
/// These types can be objects, but also primitives and arrays. Represents a select subset of an
29+
/// [OpenAPI 3.0 schema object](https://spec.openapis.org/oas/v3.0.3#schema).
30+
public class Schema: Encodable {
31+
/// The data type.
32+
let type: DataType
33+
34+
/// The format of the data.
35+
let format: String?
36+
37+
/// A brief description of the parameter.
38+
let description: String?
39+
40+
/// Indicates if the value may be null.
41+
let nullable: Bool?
42+
43+
/// Possible values of the element of type ``DataType/string`` with "enum" format.
44+
let enumValues: [String]?
45+
46+
/// Schema of the elements of type ``DataType/array``.
47+
let items: Schema?
48+
49+
/// Properties of type ``DataType/object``.
50+
let properties: [String: Schema]?
51+
52+
/// Required properties of type ``DataType/object``.
53+
let requiredProperties: [String]?
54+
55+
enum CodingKeys: String, CodingKey {
56+
case type
57+
case format
58+
case description
59+
case nullable
60+
case enumValues = "enum"
61+
case items
62+
case properties
63+
case requiredProperties = "required"
64+
}
65+
66+
/// Constructs a new `Schema`.
67+
///
68+
/// - Parameters:
69+
/// - type: The data type.
70+
/// - format: The format of the data; used only for primitive datatypes.
71+
/// Supported formats:
72+
/// - ``DataType/integer``: int32, int64
73+
/// - ``DataType/number``: float, double
74+
/// - ``DataType/string``: enum
75+
/// - description: A brief description of the parameter; may be formatted as Markdown.
76+
/// - nullable: Indicates if the value may be null.
77+
/// - enumValues: Possible values of the element of type ``DataType/string`` with "enum" format.
78+
/// For example, an enum `Direction` may be defined as `["EAST", NORTH", "SOUTH", "WEST"]`.
79+
/// - items: Schema of the elements of type ``DataType/array``.
80+
/// - properties: Properties of type ``DataType/object``.
81+
/// - requiredProperties: Required properties of type ``DataType/object``.
82+
public init(type: DataType, format: String? = nil, description: String? = nil,
83+
nullable: Bool? = nil,
84+
enumValues: [String]? = nil, items: Schema? = nil,
85+
properties: [String: Schema]? = nil,
86+
requiredProperties: [String]? = nil) {
87+
self.type = type
88+
self.format = format
89+
self.description = description
90+
self.nullable = nullable
91+
self.enumValues = enumValues
92+
self.items = items
93+
self.properties = properties
94+
self.requiredProperties = requiredProperties
95+
}
96+
}
97+
98+
/// A data type.
99+
///
100+
/// Contains the set of OpenAPI [data types](https://spec.openapis.org/oas/v3.0.3#data-types).
101+
public enum DataType: String, Encodable {
102+
/// A `String` type.
103+
case string = "STRING"
104+
105+
/// A floating-point number type.
106+
case number = "NUMBER"
107+
108+
/// An integer type.
109+
case integer = "INTEGER"
110+
111+
/// A boolean type.
112+
case boolean = "BOOLEAN"
113+
114+
/// An array type.
115+
case array = "ARRAY"
116+
117+
/// An object type.
118+
case object = "OBJECT"
119+
}
120+
121+
/// Structured representation of a function declaration.
122+
///
123+
/// This `FunctionDeclaration` is a representation of a block of code that can be used as a ``Tool``
124+
/// by the model and executed by the client.
125+
public struct FunctionDeclaration {
126+
/// The name of the function.
127+
let name: String
128+
129+
/// A brief description of the function.
130+
let description: String
131+
132+
/// Describes the parameters to this function; must be of type ``DataType/object``.
133+
let parameters: Schema?
134+
135+
/// Constructs a new `FunctionDeclaration`.
136+
///
137+
/// - Parameters:
138+
/// - name: The name of the function; must be a-z, A-Z, 0-9, or contain underscores and dashes,
139+
/// with a maximum length of 63.
140+
/// - description: A brief description of the function.
141+
/// - parameters: Describes the parameters to this function; the keys are parameter names and
142+
/// the values are ``Schema`` objects describing them.
143+
/// - requiredParameters: A list of required parameters by name.
144+
public init(name: String, description: String, parameters: [String: Schema]?,
145+
requiredParameters: [String]?) {
146+
self.name = name
147+
self.description = description
148+
self.parameters = Schema(
149+
type: .object,
150+
properties: parameters,
151+
requiredProperties: requiredParameters
152+
)
153+
}
154+
}
155+
156+
/// Helper tools that the model may use to generate response.
157+
///
158+
/// A `Tool` is a piece of code that enables the system to interact with external systems to
159+
/// perform an action, or set of actions, outside of knowledge and scope of the model.
160+
public struct Tool: Encodable {
161+
/// A list of `FunctionDeclarations` available to the model.
162+
let functionDeclarations: [FunctionDeclaration]?
163+
164+
/// Constructs a new `Tool`.
165+
///
166+
/// - Parameters:
167+
/// - functionDeclarations: A list of `FunctionDeclarations` available to the model that can be
168+
/// used for function calling.
169+
/// The model or system does not execute the function. Instead the defined function may be
170+
/// returned as a ``FunctionCall`` in ``ModelContent/Part/functionCall(_:)`` with arguments to
171+
/// the client side for execution. The model may decide to call a subset of these functions by
172+
/// populating ``FunctionCall`` in the response. The next conversation turn may contain a
173+
/// ``FunctionResponse`` in ``ModelContent/Part/functionResponse(_:)`` with the
174+
/// ``ModelContent/role`` "function", providing generation context for the next model turn.
175+
public init(functionDeclarations: [FunctionDeclaration]?) {
176+
self.functionDeclarations = functionDeclarations
177+
}
178+
}
179+
180+
/// Result output from a ``FunctionCall``.
181+
///
182+
/// Contains a string representing the `FunctionDeclaration.name` and a structured JSON object
183+
/// containing any output from the function is used as context to the model. This should contain the
184+
/// result of a ``FunctionCall`` made based on model prediction.
185+
public struct FunctionResponse: Equatable, Encodable {
186+
/// The name of the function that was called.
187+
let name: String
188+
189+
/// The function's response.
190+
let response: JSONObject
191+
192+
/// Constructs a new `FunctionResponse`.
193+
///
194+
/// - Parameters:
195+
/// - name: The name of the function that was called.
196+
/// - response: The function's response.
197+
public init(name: String, response: JSONObject) {
198+
self.name = name
199+
self.response = response
200+
}
201+
}
202+
203+
// MARK: - Codable Conformance
204+
205+
extension FunctionCall: Decodable {
206+
enum CodingKeys: CodingKey {
207+
case name
208+
case args
209+
}
210+
211+
public init(from decoder: Decoder) throws {
212+
let container = try decoder.container(keyedBy: CodingKeys.self)
213+
name = try container.decode(String.self, forKey: .name)
214+
if let args = try container.decodeIfPresent(JSONObject.self, forKey: .args) {
215+
self.args = args
216+
} else {
217+
args = JSONObject()
218+
}
219+
}
220+
}
221+
222+
extension FunctionDeclaration: Encodable {
223+
enum CodingKeys: String, CodingKey {
224+
case name
225+
case description
226+
case parameters
227+
}
228+
229+
public func encode(to encoder: Encoder) throws {
230+
var container = encoder.container(keyedBy: CodingKeys.self)
231+
try container.encode(name, forKey: .name)
232+
try container.encode(description, forKey: .description)
233+
try container.encode(parameters, forKey: .parameters)
234+
}
235+
}

Sources/GoogleAI/GenerateContentRequest.swift

+2
Original file line numberDiff line numberDiff line change
@@ -21,6 +21,7 @@ struct GenerateContentRequest {
2121
let contents: [ModelContent]
2222
let generationConfig: GenerationConfig?
2323
let safetySettings: [SafetySetting]?
24+
let tools: [Tool]?
2425
let isStreaming: Bool
2526
let options: RequestOptions
2627
}
@@ -31,6 +32,7 @@ extension GenerateContentRequest: Encodable {
3132
case contents
3233
case generationConfig
3334
case safetySettings
35+
case tools
3436
}
3537
}
3638

Sources/GoogleAI/GenerativeModel.swift

+10
Original file line numberDiff line numberDiff line change
@@ -33,6 +33,9 @@ public final class GenerativeModel {
3333
/// The safety settings to be used for prompts.
3434
let safetySettings: [SafetySetting]?
3535

36+
/// A list of tools the model may use to generate the next response.
37+
let tools: [Tool]?
38+
3639
/// Configuration parameters for sending requests to the backend.
3740
let requestOptions: RequestOptions
3841

@@ -44,17 +47,20 @@ public final class GenerativeModel {
4447
/// - apiKey: The API key for your project.
4548
/// - generationConfig: The content generation parameters your model should use.
4649
/// - safetySettings: A value describing what types of harmful content your model should allow.
50+
/// - tools: A list of ``Tool`` objects that the model may use to generate the next response.
4751
/// - requestOptions Configuration parameters for sending requests to the backend.
4852
public convenience init(name: String,
4953
apiKey: String,
5054
generationConfig: GenerationConfig? = nil,
5155
safetySettings: [SafetySetting]? = nil,
56+
tools: [Tool]? = nil,
5257
requestOptions: RequestOptions = RequestOptions()) {
5358
self.init(
5459
name: name,
5560
apiKey: apiKey,
5661
generationConfig: generationConfig,
5762
safetySettings: safetySettings,
63+
tools: tools,
5864
requestOptions: requestOptions,
5965
urlSession: .shared
6066
)
@@ -65,12 +71,14 @@ public final class GenerativeModel {
6571
apiKey: String,
6672
generationConfig: GenerationConfig? = nil,
6773
safetySettings: [SafetySetting]? = nil,
74+
tools: [Tool]? = nil,
6875
requestOptions: RequestOptions = RequestOptions(),
6976
urlSession: URLSession) {
7077
modelResourceName = GenerativeModel.modelResourceName(name: name)
7178
generativeAIService = GenerativeAIService(apiKey: apiKey, urlSession: urlSession)
7279
self.generationConfig = generationConfig
7380
self.safetySettings = safetySettings
81+
self.tools = tools
7482
self.requestOptions = requestOptions
7583

7684
Logging.default.info("""
@@ -116,6 +124,7 @@ public final class GenerativeModel {
116124
contents: content(),
117125
generationConfig: generationConfig,
118126
safetySettings: safetySettings,
127+
tools: tools,
119128
isStreaming: false,
120129
options: requestOptions)
121130
response = try await generativeAIService.loadRequest(request: generateContentRequest)
@@ -187,6 +196,7 @@ public final class GenerativeModel {
187196
contents: evaluatedContent,
188197
generationConfig: generationConfig,
189198
safetySettings: safetySettings,
199+
tools: tools,
190200
isStreaming: true,
191201
options: requestOptions)
192202

0 commit comments

Comments
 (0)