forked from matrix-org/gomatrixserverlib
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathfederationclient.go
555 lines (513 loc) · 19.6 KB
/
federationclient.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
package gomatrixserverlib
import (
"context"
"encoding/json"
"fmt"
"net/url"
"strconv"
"strings"
"github.com/matrix-org/gomatrix"
"golang.org/x/crypto/ed25519"
)
// A FederationClient is a matrix federation client that adds
// "Authorization: X-Matrix" headers to requests that need ed25519 signatures
type FederationClient struct {
Client
serverName ServerName
serverKeyID KeyID
serverPrivateKey ed25519.PrivateKey
}
// NewFederationClient makes a new FederationClient. You can supply
// zero or more ClientOptions which control the transport, timeout,
// TLS validation etc - see WithTransport, WithTimeout, WithSkipVerify,
// WithDNSCache etc.
func NewFederationClient(
serverName ServerName, keyID KeyID, privateKey ed25519.PrivateKey,
options ...ClientOption,
) *FederationClient {
return &FederationClient{
Client: *NewClient(options...),
serverName: serverName,
serverKeyID: keyID,
serverPrivateKey: privateKey,
}
}
func (ac *FederationClient) doRequest(ctx context.Context, r FederationRequest, resBody interface{}) error {
if err := r.Sign(ac.serverName, ac.serverKeyID, ac.serverPrivateKey); err != nil {
return err
}
req, err := r.HTTPRequest()
if err != nil {
return err
}
return ac.Client.DoRequestAndParseResponse(ctx, req, resBody)
}
var federationPathPrefixV1 = "/_matrix/federation/v1"
var federationPathPrefixV2 = "/_matrix/federation/v2"
// SendTransaction sends a transaction
func (ac *FederationClient) SendTransaction(
ctx context.Context, t Transaction,
) (res RespSend, err error) {
path := federationPathPrefixV1 + "/send/" + string(t.TransactionID)
req := NewFederationRequest("PUT", t.Destination, path)
if err = req.SetContent(t); err != nil {
return
}
err = ac.doRequest(ctx, req, &res)
return
}
// MakeJoin makes a join m.room.member event for a room on a remote matrix server.
// This is used to join a room the local server isn't a member of.
// We need to query a remote server because if we aren't in the room we don't
// know what to use for the "prev_events" in the join event.
// The remote server should return us a m.room.member event for our local user
// with the "prev_events" filled out.
// If this successfully returns an acceptable event we will sign it with our
// server's key and pass it to SendJoin.
// See https://matrix.org/docs/spec/server_server/unstable.html#joining-rooms
func (ac *FederationClient) MakeJoin(
ctx context.Context, s ServerName, roomID, userID string,
roomVersions []RoomVersion,
) (res RespMakeJoin, err error) {
versionQueryString := ""
if len(roomVersions) > 0 {
var vqs []string
for _, v := range roomVersions {
vqs = append(vqs, fmt.Sprintf("ver=%s", url.QueryEscape(string(v))))
}
versionQueryString = "?" + strings.Join(vqs, "&")
}
path := federationPathPrefixV1 + "/make_join/" +
url.PathEscape(roomID) + "/" +
url.PathEscape(userID) + versionQueryString
req := NewFederationRequest("GET", s, path)
err = ac.doRequest(ctx, req, &res)
return
}
// SendJoin sends a join m.room.member event obtained using MakeJoin via a
// remote matrix server.
// This is used to join a room the local server isn't a member of.
// See https://matrix.org/docs/spec/server_server/unstable.html#joining-rooms
func (ac *FederationClient) SendJoin(
ctx context.Context, s ServerName, event *Event,
) (res RespSendJoin, err error) {
return ac.sendJoin(ctx, s, event, false)
}
// SendJoinPartialState sends a join m.room.member event obtained using MakeJoin via a
// remote matrix server, with a parameter indicating we support partial state in
// the response.
// This is used to join a room the local server isn't a member of.
// See https://matrix.org/docs/spec/server_server/unstable.html#joining-rooms
func (ac *FederationClient) SendJoinPartialState(
ctx context.Context, s ServerName, event *Event,
) (res RespSendJoin, err error) {
return ac.sendJoin(ctx, s, event, true)
}
// sendJoin is an internal implementation shared between SendJoin and SendJoinPartialState
func (ac *FederationClient) sendJoin(
ctx context.Context, s ServerName, event *Event, partialState bool,
) (res RespSendJoin, err error) {
path := federationPathPrefixV2 + "/send_join/" +
url.PathEscape(event.RoomID()) + "/" +
url.PathEscape(event.EventID())
if partialState {
path += "?org.matrix.msc3706.partial_state=true"
}
req := NewFederationRequest("PUT", s, path)
if err = req.SetContent(event); err != nil {
return
}
err = ac.doRequest(ctx, req, &res)
gerr, ok := err.(gomatrix.HTTPError)
if ok && gerr.Code == 404 {
// fallback to v1 which returns [200, body]
v1path := federationPathPrefixV1 + "/send_join/" +
url.PathEscape(event.RoomID()) + "/" +
url.PathEscape(event.EventID())
v1req := NewFederationRequest("PUT", s, v1path)
if err = v1req.SetContent(event); err != nil {
return
}
var v1Res []json.RawMessage
err = ac.doRequest(ctx, v1req, &v1Res)
if err == nil && len(v1Res) == 2 {
err = json.Unmarshal(v1Res[1], &res)
}
}
return
}
// MakeLeave makes a leave m.room.member event for a room on a remote matrix server.
// This is used to reject a remote invite and is similar to MakeJoin.
// If this successfully returns an acceptable event we will sign it, replace
// the event_id with our own, and pass it to SendLeave.
// See https://matrix.org/docs/spec/server_server/r0.1.1.html#get-matrix-federation-v1-make-leave-roomid-userid
func (ac *FederationClient) MakeLeave(
ctx context.Context, s ServerName, roomID, userID string,
) (res RespMakeLeave, err error) {
path := federationPathPrefixV1 + "/make_leave/" +
url.PathEscape(roomID) + "/" +
url.PathEscape(userID)
req := NewFederationRequest("GET", s, path)
err = ac.doRequest(ctx, req, &res)
return
}
// SendLeave sends a leave m.room.member event obtained using MakeLeave via a
// remote matrix server.
// This is used to reject a remote invite.
// See https://matrix.org/docs/spec/server_server/r0.1.1.html#put-matrix-federation-v1-send-leave-roomid-eventid
func (ac *FederationClient) SendLeave(
ctx context.Context, s ServerName, event *Event,
) (err error) {
path := federationPathPrefixV2 + "/send_leave/" +
url.PathEscape(event.RoomID()) + "/" +
url.PathEscape(event.EventID())
req := NewFederationRequest("PUT", s, path)
if err = req.SetContent(event); err != nil {
return
}
res := struct{}{}
err = ac.doRequest(ctx, req, &res)
gerr, ok := err.(gomatrix.HTTPError)
if ok && gerr.Code == 404 {
// fallback to v1 which returns [200, body]
v1path := federationPathPrefixV1 + "/send_leave/" +
url.PathEscape(event.RoomID()) + "/" +
url.PathEscape(event.EventID())
v1req := NewFederationRequest("PUT", s, v1path)
if err = v1req.SetContent(event); err != nil {
return
}
var v1Res []json.RawMessage
err = ac.doRequest(ctx, v1req, &v1Res)
if err == nil && len(v1Res) == 2 {
err = json.Unmarshal(v1Res[1], &res)
}
}
return
}
// SendInvite sends an invite m.room.member event to an invited server to be
// signed by it. This is used to invite a user that is not on the local server.
func (ac *FederationClient) SendInvite(
ctx context.Context, s ServerName, event *Event,
) (res RespInvite, err error) {
path := federationPathPrefixV1 + "/invite/" +
url.PathEscape(event.RoomID()) + "/" +
url.PathEscape(event.EventID())
req := NewFederationRequest("PUT", s, path)
if err = req.SetContent(event); err != nil {
return
}
err = ac.doRequest(ctx, req, &res)
return
}
// SendInviteV2 sends an invite m.room.member event to an invited server to be
// signed by it. This is used to invite a user that is not on the local server.
func (ac *FederationClient) SendInviteV2(
ctx context.Context, s ServerName, request InviteV2Request,
) (res RespInviteV2, err error) {
event := request.Event()
path := federationPathPrefixV2 + "/invite/" +
url.PathEscape(event.RoomID()) + "/" +
url.PathEscape(event.EventID())
req := NewFederationRequest("PUT", s, path)
if err = req.SetContent(request); err != nil {
return
}
err = ac.doRequest(ctx, req, &res)
gerr, ok := err.(gomatrix.HTTPError)
if ok && gerr.Code == 404 {
// fallback to v1 which returns [200, body]
var resp RespInvite
resp, err = ac.SendInvite(ctx, s, request.Event())
if err != nil {
return
}
// assume v1 as per spec: https://matrix.org/docs/spec/server_server/latest#put-matrix-federation-v1-invite-roomid-eventid
// Servers which receive a v1 invite request must assume that the room version is either "1" or "2".
res = RespInviteV2{ // nolint:gosimple
Event: resp.Event,
}
}
return
}
// ExchangeThirdPartyInvite sends the builder of a m.room.member event of
// "invite" membership derived from a response from invites sent by an identity
// server.
// This is used to exchange a m.room.third_party_invite event for a m.room.member
// one in a room the local server isn't a member of.
func (ac *FederationClient) ExchangeThirdPartyInvite(
ctx context.Context, s ServerName, builder EventBuilder,
) (err error) {
path := federationPathPrefixV1 + "/exchange_third_party_invite/" +
url.PathEscape(builder.RoomID)
req := NewFederationRequest("PUT", s, path)
if err = req.SetContent(builder); err != nil {
return
}
res := struct{}{}
err = ac.doRequest(ctx, req, &res)
return
}
// LookupState retrieves the room state for a room at an event from a
// remote matrix server as full matrix events.
func (ac *FederationClient) LookupState(
ctx context.Context, s ServerName, roomID, eventID string, roomVersion RoomVersion,
) (res RespState, err error) {
path := federationPathPrefixV1 + "/state/" +
url.PathEscape(roomID) +
"?event_id=" +
url.QueryEscape(eventID)
req := NewFederationRequest("GET", s, path)
err = ac.doRequest(ctx, req, &res)
return
}
// LookupStateIDs retrieves the room state for a room at an event from a
// remote matrix server as lists of matrix event IDs.
func (ac *FederationClient) LookupStateIDs(
ctx context.Context, s ServerName, roomID, eventID string,
) (res RespStateIDs, err error) {
path := federationPathPrefixV1 + "/state_ids/" +
url.PathEscape(roomID) +
"?event_id=" +
url.QueryEscape(eventID)
req := NewFederationRequest("GET", s, path)
err = ac.doRequest(ctx, req, &res)
return
}
// LookupMissingEvents asks a remote server for missing events within a
// given bracket.
// https://matrix.org/docs/spec/server_server/r0.1.3#post-matrix-federation-v1-get-missing-events-roomid
func (ac *FederationClient) LookupMissingEvents(
ctx context.Context, s ServerName, roomID string,
missing MissingEvents, roomVersion RoomVersion,
) (res RespMissingEvents, err error) {
path := federationPathPrefixV1 + "/get_missing_events/" +
url.PathEscape(roomID)
req := NewFederationRequest("POST", s, path)
if err = req.SetContent(missing); err != nil {
return
}
err = ac.doRequest(ctx, req, &res)
return
}
// Peek starts a peek on a remote server: see MSC2753
func (ac *FederationClient) Peek(
ctx context.Context, s ServerName, roomID, peekID string,
roomVersions []RoomVersion,
) (res RespPeek, err error) {
versionQueryString := ""
if len(roomVersions) > 0 {
var vqs []string
for _, v := range roomVersions {
vqs = append(vqs, fmt.Sprintf("ver=%s", url.QueryEscape(string(v))))
}
versionQueryString = "?" + strings.Join(vqs, "&")
}
path := federationPathPrefixV1 + "/peek/" +
url.PathEscape(roomID) + "/" +
url.PathEscape(peekID) + versionQueryString
req := NewFederationRequest("PUT", s, path)
var empty struct{}
if err = req.SetContent(empty); err != nil {
return
}
err = ac.doRequest(ctx, req, &res)
return
}
// LookupRoomAlias looks up a room alias hosted on the remote server.
// The domain part of the roomAlias must match the name of the server it is
// being looked up on.
// If the room alias doesn't exist on the remote server then a 404 gomatrix.HTTPError
// is returned.
func (ac *FederationClient) LookupRoomAlias(
ctx context.Context, s ServerName, roomAlias string,
) (res RespDirectory, err error) {
path := federationPathPrefixV1 + "/query/directory?room_alias=" +
url.QueryEscape(roomAlias)
req := NewFederationRequest("GET", s, path)
err = ac.doRequest(ctx, req, &res)
return
}
// GetPublicRooms gets all public rooms listed on the target homeserver's directory.
// Spec: https://matrix.org/docs/spec/server_server/r0.1.1.html#get-matrix-federation-v1-publicrooms
// thirdPartyInstanceID can only be non-empty if includeAllNetworks is false.
func (ac *FederationClient) GetPublicRooms(
ctx context.Context, s ServerName, limit int, since string,
includeAllNetworks bool, thirdPartyInstanceID string,
) (res RespPublicRooms, err error) {
return ac.GetPublicRoomsFiltered(ctx, s, limit, since, "", includeAllNetworks, thirdPartyInstanceID)
}
// searchTerm is used when querying e.g. remote public rooms
type searchTerm struct {
GenericSearchTerm string `json:"generic_search_term,omitempty"`
}
// postPublicRoomsReq is a request to /publicRooms
type postPublicRoomsReq struct {
PublicRoomsFilter searchTerm `json:"filter,omitempty"`
Limit int `json:"limit,omitempty"`
IncludeAllNetworks bool `json:"include_all_networks,omitempty"`
ThirdPartyInstanceID string `json:"third_party_instance_id,omitempty"`
Since string `json:"since,omitempty"`
}
// GetPublicRoomsFiltered gets a filtered public rooms list from the target homeserver's directory.
// Spec: https://spec.matrix.org/v1.1/server-server-api/#post_matrixfederationv1publicrooms
// thirdPartyInstanceID can only be non-empty if includeAllNetworks is false.
func (ac *FederationClient) GetPublicRoomsFiltered(
ctx context.Context, s ServerName, limit int, since, filter string,
includeAllNetworks bool, thirdPartyInstanceID string,
) (res RespPublicRooms, err error) {
if includeAllNetworks && thirdPartyInstanceID != "" {
return res, fmt.Errorf("thirdPartyInstanceID can only be used if includeAllNetworks is false")
}
roomsReq := postPublicRoomsReq{
PublicRoomsFilter: searchTerm{GenericSearchTerm: filter},
Limit: limit,
IncludeAllNetworks: includeAllNetworks,
ThirdPartyInstanceID: thirdPartyInstanceID,
Since: since,
}
path := federationPathPrefixV1 + "/publicRooms"
req := NewFederationRequest("POST", s, path)
if err = req.SetContent(roomsReq); err != nil {
return
}
err = ac.doRequest(ctx, req, &res)
return
}
// LookupProfile queries the profile of a user.
// If field is empty, the server returns the full profile of the user.
// Otherwise, it must be one of: ["displayname", "avatar_url"], indicating
// which field of the profile should be returned.
// Spec: https://matrix.org/docs/spec/server_server/r0.1.1.html#get-matrix-federation-v1-query-profile
func (ac *FederationClient) LookupProfile(
ctx context.Context, s ServerName, userID string, field string,
) (res RespProfile, err error) {
path := federationPathPrefixV1 + "/query/profile?user_id=" +
url.QueryEscape(userID)
if field != "" {
path += "&field=" + url.QueryEscape(field)
}
req := NewFederationRequest("GET", s, path)
err = ac.doRequest(ctx, req, &res)
return
}
// ClaimKeys claims E2E one-time keys from a remote server.
// `oneTimeKeys` are the keys to be claimed. A map from user ID, to a map from device ID to algorithm name. E.g:
// {
// "@alice:example.com": {
// "JLAFKJWSCS": "signed_curve25519"
// }
// }
// https://matrix.org/docs/spec/server_server/latest#post-matrix-federation-v1-user-keys-claim
func (ac *FederationClient) ClaimKeys(ctx context.Context, s ServerName, oneTimeKeys map[string]map[string]string) (res RespClaimKeys, err error) {
path := federationPathPrefixV1 + "/user/keys/claim"
req := NewFederationRequest("POST", s, path)
if err = req.SetContent(map[string]interface{}{
"one_time_keys": oneTimeKeys,
}); err != nil {
return
}
err = ac.doRequest(ctx, req, &res)
return
}
// QueryKeys queries E2E device keys from a remote server.
// https://matrix.org/docs/spec/server_server/latest#post-matrix-federation-v1-user-keys-query
func (ac *FederationClient) QueryKeys(ctx context.Context, s ServerName, keys map[string][]string) (res RespQueryKeys, err error) {
path := federationPathPrefixV1 + "/user/keys/query"
req := NewFederationRequest("POST", s, path)
if err = req.SetContent(map[string]interface{}{
"device_keys": keys,
}); err != nil {
return
}
err = ac.doRequest(ctx, req, &res)
return
}
// GetEvent gets an event by ID from a remote server.
// See https://matrix.org/docs/spec/server_server/r0.1.1.html#get-matrix-federation-v1-event-eventid
func (ac *FederationClient) GetEvent(
ctx context.Context, s ServerName, eventID string,
) (res Transaction, err error) {
path := federationPathPrefixV1 + "/event/" + url.PathEscape(eventID)
req := NewFederationRequest("GET", s, path)
err = ac.doRequest(ctx, req, &res)
return
}
// GetEventAuth gets an event auth chain from a remote server.
// See https://matrix.org/docs/spec/server_server/latest#get-matrix-federation-v1-event-auth-roomid-eventid
func (ac *FederationClient) GetEventAuth(
ctx context.Context, s ServerName, roomVersion RoomVersion, roomID, eventID string,
) (res RespEventAuth, err error) {
path := federationPathPrefixV1 + "/event_auth/" + url.PathEscape(roomID) + "/" + url.PathEscape(eventID)
req := NewFederationRequest("GET", s, path)
err = ac.doRequest(ctx, req, &res)
return
}
// GetUserDevices returns a list of the user's devices from a remote server.
// See https://matrix.org/docs/spec/server_server/latest#get-matrix-federation-v1-user-devices-userid
func (ac *FederationClient) GetUserDevices(
ctx context.Context, s ServerName, userID string,
) (res RespUserDevices, err error) {
path := federationPathPrefixV1 + "/user/devices/" + url.PathEscape(userID)
req := NewFederationRequest("GET", s, path)
err = ac.doRequest(ctx, req, &res)
return
}
// Backfill asks a homeserver for events early enough for them to not be in the
// local database.
// See https://matrix.org/docs/spec/server_server/unstable.html#get-matrix-federation-v1-backfill-roomid
func (ac *FederationClient) Backfill(
ctx context.Context, s ServerName, roomID string, limit int, eventIDs []string,
) (res Transaction, err error) {
// Parse the limit into a string so that we can include it in the URL's query.
limitStr := strconv.Itoa(limit)
// Define the URL's query.
query := url.Values{}
query["v"] = eventIDs
query.Set("limit", limitStr)
// Use the url.URL structure to easily generate the request's URI (path?query).
u := url.URL{
Path: "/_matrix/federation/v1/backfill/" + roomID,
RawQuery: query.Encode(),
}
path := u.RequestURI()
// Send the request.
req := NewFederationRequest("GET", s, path)
err = ac.doRequest(ctx, req, &res)
return
}
// MSC2836EventRelationships performs an MSC2836 /event_relationships request.
func (ac *FederationClient) MSC2836EventRelationships(
ctx context.Context, dst ServerName, r MSC2836EventRelationshipsRequest, roomVersion RoomVersion,
) (res MSC2836EventRelationshipsResponse, err error) {
path := "/_matrix/federation/unstable/event_relationships"
req := NewFederationRequest("POST", dst, path)
if err = req.SetContent(r); err != nil {
return
}
err = ac.doRequest(ctx, req, &res)
return
}
func (ac *FederationClient) MSC2946Spaces(
ctx context.Context, dst ServerName, roomID string, suggestedOnly bool,
) (res MSC2946SpacesResponse, err error) {
path := "/_matrix/federation/v1/hierarchy/" + url.PathEscape(roomID)
if suggestedOnly {
path += "?suggested_only=true"
}
req := NewFederationRequest("GET", dst, path)
err = ac.doRequest(ctx, req, &res)
if err != nil {
gerr, ok := err.(gomatrix.HTTPError)
if ok && gerr.Code == 404 {
// fallback to unstable endpoint
path = "/_matrix/federation/unstable/org.matrix.msc2946/hierarchy/" + url.PathEscape(roomID)
if suggestedOnly {
path += "?suggested_only=true"
}
req := NewFederationRequest("GET", dst, path)
err = ac.doRequest(ctx, req, &res)
}
}
return
}