federationtypes.go 15.1 KB
Newer Older
1 2 3
package gomatrixserverlib

import (
4
	"context"
T
tanggen 已提交
5 6
	"strconv"
	//"encoding/json"
7
	"fmt"
T
tanggen 已提交
8 9 10

	util "github.com/finogeeks/ligase/skunkworks/gomatrixutil"
	log "github.com/finogeeks/ligase/skunkworks/log"
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
)

// A RespSend is the content of a response to PUT /_matrix/federation/v1/send/{txnID}/
type RespSend struct {
	// Map of event ID to the result of processing that event.
	PDUs map[string]PDUResult `json:"pdus"`
}

// A PDUResult is the result of processing a matrix room event.
type PDUResult struct {
	// If not empty then this is a human readable description of a problem
	// encountered processing an event.
	Error string `json:"error,omitempty"`
}

// A RespStateIDs is the content of a response to GET /_matrix/federation/v1/state_ids/{roomID}/{eventID}
type RespStateIDs struct {
	// A list of state event IDs for the state of the room before the requested event.
	StateEventIDs []string `json:"pdu_ids"`
	// A list of event IDs needed to authenticate the state events.
	AuthEventIDs []string `json:"auth_chain_ids"`
}

// A RespState is the content of a response to GET /_matrix/federation/v1/state/{roomID}/{eventID}
type RespState struct {
	// A list of events giving the state of the room before the request event.
	StateEvents []Event `json:"pdus"`
	// A list of events needed to authenticate the state events.
	AuthEvents []Event `json:"auth_chain"`
}

T
tanggen 已提交
42 43 44 45 46 47 48 49 50 51 52
// A RespEventAuth is the content of a response to GET /_matrix/federation/v1/event_auth/{roomID}/{eventID}
type RespEventAuth struct {
	// A list of events needed to authenticate the state events.
	AuthEvents []Event `json:"auth_chain"`
}

type MessageContent struct {
	Body    string `json:"body"`
	MsgType string `json:"msgtype"`
}

53 54 55 56 57 58 59 60 61 62 63 64 65 66 67
// Events combines the auth events and the state events and returns
// them in an order where every event comes after its auth events.
// Each event will only appear once in the output list.
// Returns an error if there are missing auth events or if there is
// a cycle in the auth events.
func (r RespState) Events() ([]Event, error) {
	eventsByID := map[string]*Event{}
	// Collect a map of event reference to event
	for i := range r.StateEvents {
		eventsByID[r.StateEvents[i].EventID()] = &r.StateEvents[i]
	}
	for i := range r.AuthEvents {
		eventsByID[r.AuthEvents[i].EventID()] = &r.AuthEvents[i]
	}

T
tanggen 已提交
68
	//queued := map[*Event]bool{}
69 70 71 72 73 74 75 76 77 78 79 80 81 82 83
	outputted := map[*Event]bool{}
	var result []Event
	for _, event := range eventsByID {
		if outputted[event] {
			// If we've already written the event then we can skip it.
			continue
		}

		// The code below does a depth first scan through the auth events
		// looking for events that can be appended to the output.

		// We use an explicit stack rather than using recursion so
		// that we can check we aren't creating cycles.
		stack := []*Event{event}

T
tanggen 已提交
84
		//LoopProcessTopOfStack:
85 86 87 88
		for len(stack) > 0 {
			top := stack[len(stack)-1]
			// Check if we can output the top of the stack.
			// We can output it if we have outputted all of its auth_events.
T
tanggen 已提交
89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112
			/*
				for _, ref := range top.AuthEvents() {
					authEvent := eventsByID[ref.EventID]
					if authEvent == nil {
						return nil, fmt.Errorf(
							"gomatrixserverlib: missing auth event with ID %q for event %q",
							ref.EventID, top.EventID(),
						)
					}
					if outputted[authEvent] {
						continue
					}
					if queued[authEvent] {
						return nil, fmt.Errorf(
							"gomatrixserverlib: auth event cycle for ID %q",
							ref.EventID,
						)
					}
					// If we haven't visited the auth event yet then we need to
					// process it before processing the event currently on top of
					// the stack.
					stack = append(stack, authEvent)
					queued[authEvent] = true
					continue LoopProcessTopOfStack
113
				}
T
tanggen 已提交
114
			*/
115 116 117 118 119 120 121 122 123 124 125 126
			// If we've processed all the auth events for the event on top of
			// the stack then we can append it to the result and try processing
			// the item below it in the stack.
			result = append(result, *top)
			outputted[top] = true
			stack = stack[:len(stack)-1]
		}
	}

	return result, nil
}

M
Mark Haines 已提交
127
// Check that a response to /state is valid.
128
func (r RespState) Check(ctx context.Context, keyRing JSONVerifier) error {
T
tanggen 已提交
129
	fields := util.GetLogFields(ctx)
M
Mark Haines 已提交
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
	var allEvents []Event
	for _, event := range r.AuthEvents {
		if event.StateKey() == nil {
			return fmt.Errorf("gomatrixserverlib: event %q does not have a state key", event.EventID())
		}
		allEvents = append(allEvents, event)
	}

	stateTuples := map[StateKeyTuple]bool{}
	for _, event := range r.StateEvents {
		if event.StateKey() == nil {
			return fmt.Errorf("gomatrixserverlib: event %q does not have a state key", event.EventID())
		}
		stateTuple := StateKeyTuple{event.Type(), *event.StateKey()}
		if stateTuples[stateTuple] {
			return fmt.Errorf(
				"gomatrixserverlib: duplicate state key tuple (%q, %q)",
				event.Type(), *event.StateKey(),
			)
		}
		stateTuples[stateTuple] = true
		allEvents = append(allEvents, event)
	}

	// Check if the events pass signature checks.
T
tanggen 已提交
155 156 157
	log.Infow(fmt.Sprintf("Checking event signatures for %d events of room state", len(allEvents)), fields)
	if err := VerifyAllEventSignatures(ctx, allEvents, keyRing); err != nil {
		return err
M
Mark Haines 已提交
158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175
	}

	eventsByID := map[string]*Event{}
	// Collect a map of event reference to event
	for i := range allEvents {
		eventsByID[allEvents[i].EventID()] = &allEvents[i]
	}

	// Check whether the events are allowed by the auth rules.
	for _, event := range allEvents {
		if err := checkAllowedByAuthEvents(event, eventsByID); err != nil {
			return err
		}
	}

	return nil
}

176 177 178 179 180 181 182 183
// A RespMakeJoin is the content of a response to GET /_matrix/federation/v1/make_join/{roomID}/{userID}
type RespMakeJoin struct {
	// An incomplete m.room.member event for a user on the requesting server
	// generated by the responding server.
	// See https://matrix.org/docs/spec/server_server/unstable.html#joining-rooms
	JoinEvent EventBuilder `json:"event"`
}

T
tanggen 已提交
184 185 186 187 188 189 190 191
func (r *RespMakeJoin) Encode() ([]byte, error) {
	return json.Marshal(r)
}

func (r *RespMakeJoin) Decode(data []byte) error {
	return json.Unmarshal(data, r)
}

192
// A RespSendJoin is the content of a response to PUT /_matrix/federation/v1/send_join/{roomID}/{eventID}
M
Mark Haines 已提交
193
// It has the same data as a response to /state, but in a slightly different wire format.
194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215
type RespSendJoin RespState

// MarshalJSON implements json.Marshaller
func (r RespSendJoin) MarshalJSON() ([]byte, error) {
	// SendJoinResponses contain the same data as a StateResponse but are
	// formatted slightly differently on the wire:
	//  1) The "pdus" field is renamed to "state".
	//  2) The object is placed as the second element of a two element list
	//     where the first element is the constant integer 200.
	//
	//
	// So a state response of:
	//
	//		{"pdus": x, "auth_chain": y}
	//
	// Becomes:
	//
	//      [200, {"state": x, "auth_chain": y}]
	//
	// (This protocol oddity is the result of a typo in the synapse matrix
	//  server, and is preserved to maintain compatibility.)

216
	return json.Marshal([]interface{}{200, respSendJoinFields(r)})
217 218 219 220 221 222 223 224 225 226 227 228 229 230 231
}

// UnmarshalJSON implements json.Unmarshaller
func (r *RespSendJoin) UnmarshalJSON(data []byte) error {
	var tuple []rawJSON
	if err := json.Unmarshal(data, &tuple); err != nil {
		return err
	}
	if len(tuple) != 2 {
		return fmt.Errorf("gomatrixserverlib: invalid send join response, invalid length: %d != 2", len(tuple))
	}
	var fields respSendJoinFields
	if err := json.Unmarshal(tuple[1], &fields); err != nil {
		return err
	}
232
	*r = RespSendJoin(fields)
233 234 235
	return nil
}

T
tanggen 已提交
236 237 238 239 240 241 242 243
func (r *RespSendJoin) Encode() ([]byte, error) {
	return r.MarshalJSON()
}

func (r *RespSendJoin) Decode(data []byte) error {
	return r.UnmarshalJSON(data)
}

244 245 246 247 248
type respSendJoinFields struct {
	StateEvents []Event `json:"state"`
	AuthEvents  []Event `json:"auth_chain"`
}

249
// Check that a response to /send_join is valid.
M
Mark Haines 已提交
250 251
// This checks that it would be valid as a response to /state
// This also checks that the join event is allowed by the state.
252 253 254 255
func (r RespSendJoin) Check(ctx context.Context, keyRing JSONVerifier, joinEvent Event) error {
	// First check that the state is valid and that the events in the response
	// are correctly signed.
	//
M
Mark Haines 已提交
256 257
	// The response to /send_join has the same data as a response to /state
	// and the checks for a response to /state also apply.
258
	if err := RespState(r).Check(ctx, keyRing); err != nil {
M
Mark Haines 已提交
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
		return err
	}

	stateEventsByID := map[string]*Event{}
	authEvents := NewAuthEvents(nil)
	for i, event := range r.StateEvents {
		stateEventsByID[event.EventID()] = &r.StateEvents[i]
		if err := authEvents.AddEvent(&r.StateEvents[i]); err != nil {
			return err
		}
	}

	// Now check that the join event is valid against its auth events.
	if err := checkAllowedByAuthEvents(joinEvent, stateEventsByID); err != nil {
		return err
	}

	// Now check that the join event is valid against the supplied state.
	if err := Allowed(joinEvent, &authEvents); err != nil {
		return fmt.Errorf(
			"gomatrixserverlib: event with ID %q is not allowed by the supplied state: %s",
			joinEvent.EventID(), err.Error(),
		)

	}

	return nil
}

T
tanggen 已提交
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
// A RespMakeLeave is the content of a response to GET /_matrix/federation/v1/make_leave/{roomID}/{userID}
type RespMakeLeave struct {
	// An incomplete m.room.member event for a user on the requesting server
	// generated by the responding server.
	// See https://matrix.org/docs/spec/server_server/unstable#leaving-rooms-rejecting-invites
	Event EventBuilder `json:"event"`
}

func (r *RespMakeLeave) Encode() ([]byte, error) {
	return json.Marshal(r)
}

func (r *RespMakeLeave) Decode(data []byte) error {
	return json.Unmarshal(data, r)
}

// A RespSendLeave is the content of a response to PUT /_matrix/federation/v1/send_leave/{roomID}/{eventID}
// It has the same data as a response to /state, but in a slightly different wire format.
type RespSendLeave struct {
	Code int
}

// MarshalJSON implements json.Marshaller
func (r RespSendLeave) MarshalJSON() ([]byte, error) {
	return json.Marshal([]interface{}{r.Code, map[string]interface{}{}})
}

// UnmarshalJSON implements json.Unmarshaller
func (r *RespSendLeave) UnmarshalJSON(data []byte) error {
	var tuple []rawJSON
	if err := json.Unmarshal(data, &tuple); err != nil {
		return err
	}
	if len(tuple) != 2 {
		return fmt.Errorf("gomatrixserverlib: invalid send leave response, invalid length: %d != 2", len(tuple))
	}
	code, err := strconv.Atoi(string(tuple[0]))
	if err != nil {
		return err
	}
	r.Code = code
	return nil
}

func (r *RespSendLeave) Encode() ([]byte, error) {
	return r.MarshalJSON()
}

func (r *RespSendLeave) Decode(data []byte) error {
	return r.UnmarshalJSON(data)
}

340 341 342 343 344 345 346 347 348 349 350
// A RespDirectory is the content of a response to GET  /_matrix/federation/v1/query/directory
// This is returned when looking up a room alias from a remote server.
// See https://matrix.org/docs/spec/server_server/unstable.html#directory
type RespDirectory struct {
	// The matrix room ID the room alias corresponds to.
	RoomID string `json:"room_id"`
	// A list of matrix servers that the directory server thinks could be used
	// to join the room. The joining server may need to try multiple servers
	// before it finds one that it can use to join the room.
	Servers []ServerName `json:"servers"`
}
M
Mark Haines 已提交
351 352

func checkAllowedByAuthEvents(event Event, eventsByID map[string]*Event) error {
T
tanggen 已提交
353 354 355 356 357 358 359 360 361 362 363 364 365 366 367
	/*
		authEvents := NewAuthEvents(nil)
		for _, authRef := range event.AuthEvents() {
			authEvent := eventsByID[authRef.EventID]
			if authEvent == nil {
				return fmt.Errorf(
					"gomatrixserverlib: missing auth event with ID %q for event %q",
					authRef.EventID, event.EventID(),
				)
			}
			if err := authEvents.AddEvent(authEvent); err != nil {
				return err
			}
		}
		if err := Allowed(event, &authEvents); err != nil {
M
Mark Haines 已提交
368
			return fmt.Errorf(
T
tanggen 已提交
369 370
				"gomatrixserverlib: event with ID %q is not allowed by its auth_events: %s",
				event.EventID(), err.Error(),
M
Mark Haines 已提交
371 372
			)
		}
T
tanggen 已提交
373
	*/
M
Mark Haines 已提交
374 375
	return nil
}
376 377 378

// RespInvite is the content of a response to PUT /_matrix/federation/v1/invite/{roomID}/{eventID}
type RespInvite struct {
T
tanggen 已提交
379
	Code int
380 381 382 383 384 385 386 387 388 389
	// The invite event signed by recipient server.
	Event Event
}

// MarshalJSON implements json.Marshaller
func (r RespInvite) MarshalJSON() ([]byte, error) {
	// The wire format of a RespInvite is slightly is sent as the second element
	// of a two element list where the first element is the constant integer 200.
	// (This protocol oddity is the result of a typo in the synapse matrix
	//  server, and is preserved to maintain compatibility.)
T
tanggen 已提交
390
	return json.Marshal([]interface{}{200, respInviteFields{r.Event}})
391 392 393 394 395 396 397 398 399 400 401
}

// UnmarshalJSON implements json.Unmarshaller
func (r *RespInvite) UnmarshalJSON(data []byte) error {
	var tuple []rawJSON
	if err := json.Unmarshal(data, &tuple); err != nil {
		return err
	}
	if len(tuple) != 2 {
		return fmt.Errorf("gomatrixserverlib: invalid invite response, invalid length: %d != 2", len(tuple))
	}
T
tanggen 已提交
402 403 404 405 406 407 408

	code, err := strconv.Atoi(string(tuple[0]))
	if err != nil {
		return err
	}
	r.Code = code

409 410 411 412
	var fields respInviteFields
	if err := json.Unmarshal(tuple[1], &fields); err != nil {
		return err
	}
T
tanggen 已提交
413
	r.Event = fields.Event
414 415 416
	return nil
}

T
tanggen 已提交
417 418 419 420 421 422 423 424
func (r *RespInvite) Encode() ([]byte, error) {
	return r.MarshalJSON()
}

func (r *RespInvite) Decode(data []byte) error {
	return r.UnmarshalJSON(data)
}

425 426 427
type respInviteFields struct {
	Event Event `json:"event"`
}
T
tanggen 已提交
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

type RespDisplayname struct {
	DisplayName string `json:"displayname"`
}

type RespAvatarURL struct {
	AvatarURL string `json:"avatar_url"`
}

type RespProfile struct {
	AvatarURL   string `json:"avatar_url"`
	DisplayName string `json:"displayname"`
}

type RespUserInfo struct {
	UserName  string `json:"user_name"`
	JobNumber string `json:"job_number"`
	Mobile    string `json:"mobile"`
	Landline  string `json:"landline"`
	Email     string `json:"email"`
}

type ReqGetMissingEventContent struct {
	EarliestEvents []string `json:"earliest_events"`
	LatestEvents   []string `json:"latest_events"`
	Limit          int      `json:"limit"`
	MinDepth       int64    `json:"min_depth"`
}

type RespGetMissingEvents struct {
	// Missing events, arbritrary order.
	Events []Event `json:"events"`
}

// ClaimRequest structure
type ClaimRequest struct {
	Timeout     int64                        `json:"timeout"`
	ClaimDetail map[string]map[string]string `json:"one_time_keys"`
}

// QueryRequest structure
type QueryRequest struct {
	DeviceKeys map[string][]string `json:"device_keys"`
}

// QueryResponse structure
type QueryResponse struct {
	DeviceKeys map[string]map[string]DeviceKeysQuery `json:"device_keys"`
}

// DeviceKeysQuery structure
type DeviceKeysQuery struct {
	UserID    string                       `json:"user_id"`
	DeviceID  string                       `json:"device_id"`
	Algorithm []string                     `json:"algorithms"`
	Keys      map[string]string            `json:"keys"`
	Signature map[string]map[string]string `json:"signatures"`
	Unsigned  UnsignedDeviceInfo           `json:"unsigned"`
}

// UnsignedDeviceInfo structure
type UnsignedDeviceInfo struct {
	Info string `json:"device_display_name"`
}

// ClaimResponse structure
type ClaimResponse struct {
	Failures  map[string]interface{}                       `json:"failures"`
	ClaimBody map[string]map[string]map[string]interface{} `json:"one_time_keys"`
}

type RespMediaInfo struct {
	NetdiskID string `json:"netdiskID"`
	Owner     string `json:"owner"`
	Type      string `json:"type"`
	SpaceID   string `json:"spaceID"`
	Content   string `json:"content"`
}