aboutsummaryrefslogtreecommitdiff
path: root/clientapi
diff options
context:
space:
mode:
authordevonh <devon.dmytro@gmail.com>2023-05-31 15:27:08 +0000
committerGitHub <noreply@github.com>2023-05-31 15:27:08 +0000
commitcbdc601f1b6d1c2a648b69ff44b3a49916f4d31a (patch)
tree6d14c55508579211e3833cab60cfdfea3fab04a6 /clientapi
parent61341aca500ec4d87e5b6d4c3f965c3836d6e6d6 (diff)
Move CreateRoom logic to Roomserver (#3093)
Move create room logic over to roomserver.
Diffstat (limited to 'clientapi')
-rw-r--r--clientapi/routing/createroom.go544
-rw-r--r--clientapi/routing/joinroom_test.go5
-rw-r--r--clientapi/routing/membership.go49
-rw-r--r--clientapi/routing/profile.go2
-rw-r--r--clientapi/routing/redaction.go2
-rw-r--r--clientapi/routing/sendevent.go2
-rw-r--r--clientapi/routing/server_notices.go2
-rw-r--r--clientapi/threepid/invites.go2
8 files changed, 106 insertions, 502 deletions
diff --git a/clientapi/routing/createroom.go b/clientapi/routing/createroom.go
index 7a7a85e8..aaa305f0 100644
--- a/clientapi/routing/createroom.go
+++ b/clientapi/routing/createroom.go
@@ -22,17 +22,13 @@ import (
"strings"
"time"
- "github.com/getsentry/sentry-go"
appserviceAPI "github.com/matrix-org/dendrite/appservice/api"
roomserverAPI "github.com/matrix-org/dendrite/roomserver/api"
- "github.com/matrix-org/dendrite/roomserver/types"
roomserverVersion "github.com/matrix-org/dendrite/roomserver/version"
"github.com/matrix-org/dendrite/userapi/api"
- "github.com/matrix-org/gomatrixserverlib/fclient"
"github.com/matrix-org/gomatrixserverlib/spec"
"github.com/matrix-org/dendrite/clientapi/httputil"
- "github.com/matrix-org/dendrite/internal/eventutil"
"github.com/matrix-org/dendrite/setup/config"
"github.com/matrix-org/gomatrixserverlib"
"github.com/matrix-org/util"
@@ -41,32 +37,19 @@ import (
// https://matrix.org/docs/spec/client_server/r0.2.0.html#post-matrix-client-r0-createroom
type createRoomRequest struct {
- Invite []string `json:"invite"`
- Name string `json:"name"`
- Visibility string `json:"visibility"`
- Topic string `json:"topic"`
- Preset string `json:"preset"`
- CreationContent json.RawMessage `json:"creation_content"`
- InitialState []fledglingEvent `json:"initial_state"`
- RoomAliasName string `json:"room_alias_name"`
- RoomVersion gomatrixserverlib.RoomVersion `json:"room_version"`
- PowerLevelContentOverride json.RawMessage `json:"power_level_content_override"`
- IsDirect bool `json:"is_direct"`
+ Invite []string `json:"invite"`
+ Name string `json:"name"`
+ Visibility string `json:"visibility"`
+ Topic string `json:"topic"`
+ Preset string `json:"preset"`
+ CreationContent json.RawMessage `json:"creation_content"`
+ InitialState []gomatrixserverlib.FledglingEvent `json:"initial_state"`
+ RoomAliasName string `json:"room_alias_name"`
+ RoomVersion gomatrixserverlib.RoomVersion `json:"room_version"`
+ PowerLevelContentOverride json.RawMessage `json:"power_level_content_override"`
+ IsDirect bool `json:"is_direct"`
}
-const (
- presetPrivateChat = "private_chat"
- presetTrustedPrivateChat = "trusted_private_chat"
- presetPublicChat = "public_chat"
-)
-
-const (
- historyVisibilityShared = "shared"
- // TODO: These should be implemented once history visibility is implemented
- // historyVisibilityWorldReadable = "world_readable"
- // historyVisibilityInvited = "invited"
-)
-
func (r createRoomRequest) Validate() *util.JSONResponse {
whitespace := "\t\n\x0b\x0c\r " // https://docs.python.org/2/library/string.html#string.whitespace
// https://github.com/matrix-org/synapse/blob/v0.19.2/synapse/handlers/room.py#L81
@@ -78,12 +61,7 @@ func (r createRoomRequest) Validate() *util.JSONResponse {
}
}
for _, userID := range r.Invite {
- // TODO: We should put user ID parsing code into gomatrixserverlib and use that instead
- // (see https://github.com/matrix-org/gomatrixserverlib/blob/3394e7c7003312043208aa73727d2256eea3d1f6/eventcontent.go#L347 )
- // It should be a struct (with pointers into a single string to avoid copying) and
- // we should update all refs to use UserID types rather than strings.
- // https://github.com/matrix-org/synapse/blob/v0.19.2/synapse/types.py#L92
- if _, _, err := gomatrixserverlib.SplitID('@', userID); err != nil {
+ if _, err := spec.NewUserID(userID, true); err != nil {
return &util.JSONResponse{
Code: http.StatusBadRequest,
JSON: spec.BadJSON("user id must be in the form @localpart:domain"),
@@ -91,7 +69,7 @@ func (r createRoomRequest) Validate() *util.JSONResponse {
}
}
switch r.Preset {
- case presetPrivateChat, presetTrustedPrivateChat, presetPublicChat, "":
+ case spec.PresetPrivateChat, spec.PresetTrustedPrivateChat, spec.PresetPublicChat, "":
default:
return &util.JSONResponse{
Code: http.StatusBadRequest,
@@ -129,13 +107,6 @@ type createRoomResponse struct {
RoomAlias string `json:"room_alias,omitempty"` // in synapse not spec
}
-// fledglingEvent is a helper representation of an event used when creating many events in succession.
-type fledglingEvent struct {
- Type string `json:"type"`
- StateKey string `json:"state_key"`
- Content interface{} `json:"content"`
-}
-
// CreateRoom implements /createRoom
func CreateRoom(
req *http.Request, device *api.Device,
@@ -143,12 +114,12 @@ func CreateRoom(
profileAPI api.ClientUserAPI, rsAPI roomserverAPI.ClientRoomserverAPI,
asAPI appserviceAPI.AppServiceInternalAPI,
) util.JSONResponse {
- var r createRoomRequest
- resErr := httputil.UnmarshalJSONRequest(req, &r)
+ var createRequest createRoomRequest
+ resErr := httputil.UnmarshalJSONRequest(req, &createRequest)
if resErr != nil {
return *resErr
}
- if resErr = r.Validate(); resErr != nil {
+ if resErr = createRequest.Validate(); resErr != nil {
return *resErr
}
evTime, err := httputil.ParseTSParam(req)
@@ -158,46 +129,52 @@ func CreateRoom(
JSON: spec.InvalidParam(err.Error()),
}
}
- return createRoom(req.Context(), r, device, cfg, profileAPI, rsAPI, asAPI, evTime)
+ return createRoom(req.Context(), createRequest, device, cfg, profileAPI, rsAPI, asAPI, evTime)
}
// createRoom implements /createRoom
-// nolint: gocyclo
func createRoom(
ctx context.Context,
- r createRoomRequest, device *api.Device,
+ // TODO: remove dependency on createRoomRequest
+ createRequest createRoomRequest, device *api.Device,
cfg *config.ClientAPI,
profileAPI api.ClientUserAPI, rsAPI roomserverAPI.ClientRoomserverAPI,
asAPI appserviceAPI.AppServiceInternalAPI,
evTime time.Time,
) util.JSONResponse {
- _, userDomain, err := gomatrixserverlib.SplitID('@', device.UserID)
+ userID, err := spec.NewUserID(device.UserID, true)
if err != nil {
- util.GetLogger(ctx).WithError(err).Error("gomatrixserverlib.SplitID failed")
+ util.GetLogger(ctx).WithError(err).Error("invalid userID")
return util.JSONResponse{
Code: http.StatusInternalServerError,
JSON: spec.InternalServerError{},
}
}
- if !cfg.Matrix.IsLocalServerName(userDomain) {
+ if !cfg.Matrix.IsLocalServerName(userID.Domain()) {
return util.JSONResponse{
Code: http.StatusForbidden,
- JSON: spec.Forbidden(fmt.Sprintf("User domain %q not configured locally", userDomain)),
+ JSON: spec.Forbidden(fmt.Sprintf("User domain %q not configured locally", userID.Domain())),
}
}
- // TODO (#267): Check room ID doesn't clash with an existing one, and we
- // probably shouldn't be using pseudo-random strings, maybe GUIDs?
- roomID := fmt.Sprintf("!%s:%s", util.RandomString(16), userDomain)
-
logger := util.GetLogger(ctx)
- userID := device.UserID
+
+ // TODO: Check room ID doesn't clash with an existing one, and we
+ // probably shouldn't be using pseudo-random strings, maybe GUIDs?
+ roomID, err := spec.NewRoomID(fmt.Sprintf("!%s:%s", util.RandomString(16), userID.Domain()))
+ if err != nil {
+ util.GetLogger(ctx).WithError(err).Error("invalid roomID")
+ return util.JSONResponse{
+ Code: http.StatusInternalServerError,
+ JSON: spec.InternalServerError{},
+ }
+ }
// Clobber keys: creator, room_version
roomVersion := roomserverVersion.DefaultRoomVersion()
- if r.RoomVersion != "" {
- candidateVersion := gomatrixserverlib.RoomVersion(r.RoomVersion)
+ if createRequest.RoomVersion != "" {
+ candidateVersion := gomatrixserverlib.RoomVersion(createRequest.RoomVersion)
_, roomVersionError := roomserverVersion.SupportedRoomVersion(candidateVersion)
if roomVersionError != nil {
return util.JSONResponse{
@@ -208,17 +185,13 @@ func createRoom(
roomVersion = candidateVersion
}
- // TODO: visibility/presets/raw initial state
- // TODO: Create room alias association
- // Make sure this doesn't fall into an application service's namespace though!
-
logger.WithFields(log.Fields{
- "userID": userID,
- "roomID": roomID,
+ "userID": userID.String(),
+ "roomID": roomID.String(),
"roomVersion": roomVersion,
}).Info("Creating new room")
- profile, err := appserviceAPI.RetrieveUserProfile(ctx, userID, asAPI, profileAPI)
+ profile, err := appserviceAPI.RetrieveUserProfile(ctx, userID.String(), asAPI, profileAPI)
if err != nil {
util.GetLogger(ctx).WithError(err).Error("appserviceAPI.RetrieveUserProfile failed")
return util.JSONResponse{
@@ -227,427 +200,38 @@ func createRoom(
}
}
- createContent := map[string]interface{}{}
- if len(r.CreationContent) > 0 {
- if err = json.Unmarshal(r.CreationContent, &createContent); err != nil {
- util.GetLogger(ctx).WithError(err).Error("json.Unmarshal for creation_content failed")
- return util.JSONResponse{
- Code: http.StatusBadRequest,
- JSON: spec.BadJSON("invalid create content"),
- }
- }
- }
- createContent["creator"] = userID
- createContent["room_version"] = roomVersion
- powerLevelContent := eventutil.InitialPowerLevelsContent(userID)
- joinRuleContent := gomatrixserverlib.JoinRuleContent{
- JoinRule: spec.Invite,
- }
- historyVisibilityContent := gomatrixserverlib.HistoryVisibilityContent{
- HistoryVisibility: historyVisibilityShared,
- }
-
- if r.PowerLevelContentOverride != nil {
- // Merge powerLevelContentOverride fields by unmarshalling it atop the defaults
- err = json.Unmarshal(r.PowerLevelContentOverride, &powerLevelContent)
- if err != nil {
- util.GetLogger(ctx).WithError(err).Error("json.Unmarshal for power_level_content_override failed")
- return util.JSONResponse{
- Code: http.StatusBadRequest,
- JSON: spec.BadJSON("malformed power_level_content_override"),
- }
- }
- }
-
- var guestsCanJoin bool
- switch r.Preset {
- case presetPrivateChat:
- joinRuleContent.JoinRule = spec.Invite
- historyVisibilityContent.HistoryVisibility = historyVisibilityShared
- guestsCanJoin = true
- case presetTrustedPrivateChat:
- joinRuleContent.JoinRule = spec.Invite
- historyVisibilityContent.HistoryVisibility = historyVisibilityShared
- for _, invitee := range r.Invite {
- powerLevelContent.Users[invitee] = 100
- }
- guestsCanJoin = true
- case presetPublicChat:
- joinRuleContent.JoinRule = spec.Public
- historyVisibilityContent.HistoryVisibility = historyVisibilityShared
- }
-
- createEvent := fledglingEvent{
- Type: spec.MRoomCreate,
- Content: createContent,
- }
- powerLevelEvent := fledglingEvent{
- Type: spec.MRoomPowerLevels,
- Content: powerLevelContent,
- }
- joinRuleEvent := fledglingEvent{
- Type: spec.MRoomJoinRules,
- Content: joinRuleContent,
- }
- historyVisibilityEvent := fledglingEvent{
- Type: spec.MRoomHistoryVisibility,
- Content: historyVisibilityContent,
- }
- membershipEvent := fledglingEvent{
- Type: spec.MRoomMember,
- StateKey: userID,
- Content: gomatrixserverlib.MemberContent{
- Membership: spec.Join,
- DisplayName: profile.DisplayName,
- AvatarURL: profile.AvatarURL,
- },
- }
-
- var nameEvent *fledglingEvent
- var topicEvent *fledglingEvent
- var guestAccessEvent *fledglingEvent
- var aliasEvent *fledglingEvent
-
- if r.Name != "" {
- nameEvent = &fledglingEvent{
- Type: spec.MRoomName,
- Content: eventutil.NameContent{
- Name: r.Name,
- },
- }
- }
-
- if r.Topic != "" {
- topicEvent = &fledglingEvent{
- Type: spec.MRoomTopic,
- Content: eventutil.TopicContent{
- Topic: r.Topic,
- },
- }
- }
-
- if guestsCanJoin {
- guestAccessEvent = &fledglingEvent{
- Type: spec.MRoomGuestAccess,
- Content: eventutil.GuestAccessContent{
- GuestAccess: "can_join",
- },
- }
- }
-
- var roomAlias string
- if r.RoomAliasName != "" {
- roomAlias = fmt.Sprintf("#%s:%s", r.RoomAliasName, userDomain)
- // check it's free TODO: This races but is better than nothing
- hasAliasReq := roomserverAPI.GetRoomIDForAliasRequest{
- Alias: roomAlias,
- IncludeAppservices: false,
- }
-
- var aliasResp roomserverAPI.GetRoomIDForAliasResponse
- err = rsAPI.GetRoomIDForAlias(ctx, &hasAliasReq, &aliasResp)
- if err != nil {
- util.GetLogger(ctx).WithError(err).Error("aliasAPI.GetRoomIDForAlias failed")
- return util.JSONResponse{
- Code: http.StatusInternalServerError,
- JSON: spec.InternalServerError{},
- }
- }
- if aliasResp.RoomID != "" {
- return util.JSONResponse{
- Code: http.StatusBadRequest,
- JSON: spec.RoomInUse("Room ID already exists."),
- }
- }
-
- aliasEvent = &fledglingEvent{
- Type: spec.MRoomCanonicalAlias,
- Content: eventutil.CanonicalAlias{
- Alias: roomAlias,
- },
- }
- }
-
- var initialStateEvents []fledglingEvent
- for i := range r.InitialState {
- if r.InitialState[i].StateKey != "" {
- initialStateEvents = append(initialStateEvents, r.InitialState[i])
- continue
- }
-
- switch r.InitialState[i].Type {
- case spec.MRoomCreate:
- continue
-
- case spec.MRoomPowerLevels:
- powerLevelEvent = r.InitialState[i]
-
- case spec.MRoomJoinRules:
- joinRuleEvent = r.InitialState[i]
-
- case spec.MRoomHistoryVisibility:
- historyVisibilityEvent = r.InitialState[i]
-
- case spec.MRoomGuestAccess:
- guestAccessEvent = &r.InitialState[i]
-
- case spec.MRoomName:
- nameEvent = &r.InitialState[i]
-
- case spec.MRoomTopic:
- topicEvent = &r.InitialState[i]
-
- default:
- initialStateEvents = append(initialStateEvents, r.InitialState[i])
- }
- }
-
- // send events into the room in order of:
- // 1- m.room.create
- // 2- room creator join member
- // 3- m.room.power_levels
- // 4- m.room.join_rules
- // 5- m.room.history_visibility
- // 6- m.room.canonical_alias (opt)
- // 7- m.room.guest_access (opt)
- // 8- other initial state items
- // 9- m.room.name (opt)
- // 10- m.room.topic (opt)
- // 11- invite events (opt) - with is_direct flag if applicable TODO
- // 12- 3pid invite events (opt) TODO
- // This differs from Synapse slightly. Synapse would vary the ordering of 3-7
- // depending on if those events were in "initial_state" or not. This made it
- // harder to reason about, hence sticking to a strict static ordering.
- // TODO: Synapse has txn/token ID on each event. Do we need to do this here?
- eventsToMake := []fledglingEvent{
- createEvent, membershipEvent, powerLevelEvent, joinRuleEvent, historyVisibilityEvent,
- }
- if guestAccessEvent != nil {
- eventsToMake = append(eventsToMake, *guestAccessEvent)
- }
- eventsToMake = append(eventsToMake, initialStateEvents...)
- if nameEvent != nil {
- eventsToMake = append(eventsToMake, *nameEvent)
- }
- if topicEvent != nil {
- eventsToMake = append(eventsToMake, *topicEvent)
- }
- if aliasEvent != nil {
- // TODO: bit of a chicken and egg problem here as the alias doesn't exist and cannot until we have made the room.
- // This means we might fail creating the alias but say the canonical alias is something that doesn't exist.
- eventsToMake = append(eventsToMake, *aliasEvent)
- }
-
- // TODO: invite events
- // TODO: 3pid invite events
-
- verImpl, err := gomatrixserverlib.GetRoomVersion(roomVersion)
- if err != nil {
- return util.JSONResponse{
- Code: http.StatusBadRequest,
- JSON: spec.BadJSON("unknown room version"),
- }
- }
-
- var builtEvents []*types.HeaderedEvent
- authEvents := gomatrixserverlib.NewAuthEvents(nil)
- for i, e := range eventsToMake {
- depth := i + 1 // depth starts at 1
-
- builder := verImpl.NewEventBuilderFromProtoEvent(&gomatrixserverlib.ProtoEvent{
- Sender: userID,
- RoomID: roomID,
- Type: e.Type,
- StateKey: &e.StateKey,
- Depth: int64(depth),
- })
- err = builder.SetContent(e.Content)
- if err != nil {
- util.GetLogger(ctx).WithError(err).Error("builder.SetContent failed")
- return util.JSONResponse{
- Code: http.StatusInternalServerError,
- JSON: spec.InternalServerError{},
- }
- }
- if i > 0 {
- builder.PrevEvents = []string{builtEvents[i-1].EventID()}
- }
- var ev gomatrixserverlib.PDU
- if err = builder.AddAuthEvents(&authEvents); err != nil {
- util.GetLogger(ctx).WithError(err).Error("AddAuthEvents failed")
- return util.JSONResponse{
- Code: http.StatusInternalServerError,
- JSON: spec.InternalServerError{},
- }
- }
- ev, err = builder.Build(evTime, userDomain, cfg.Matrix.KeyID, cfg.Matrix.PrivateKey)
- if err != nil {
- util.GetLogger(ctx).WithError(err).Error("buildEvent failed")
- return util.JSONResponse{
- Code: http.StatusInternalServerError,
- JSON: spec.InternalServerError{},
- }
- }
-
- if err = gomatrixserverlib.Allowed(ev, &authEvents); err != nil {
- util.GetLogger(ctx).WithError(err).Error("gomatrixserverlib.Allowed failed")
- return util.JSONResponse{
- Code: http.StatusInternalServerError,
- JSON: spec.InternalServerError{},
- }
- }
-
- // Add the event to the list of auth events
- builtEvents = append(builtEvents, &types.HeaderedEvent{PDU: ev})
- err = authEvents.AddEvent(ev)
- if err != nil {
- util.GetLogger(ctx).WithError(err).Error("authEvents.AddEvent failed")
- return util.JSONResponse{
- Code: http.StatusInternalServerError,
- JSON: spec.InternalServerError{},
- }
- }
- }
-
- inputs := make([]roomserverAPI.InputRoomEvent, 0, len(builtEvents))
- for _, event := range builtEvents {
- inputs = append(inputs, roomserverAPI.InputRoomEvent{
- Kind: roomserverAPI.KindNew,
- Event: event,
- Origin: userDomain,
- SendAsServer: roomserverAPI.DoNotSendToOtherServers,
- })
- }
- if err = roomserverAPI.SendInputRoomEvents(ctx, rsAPI, device.UserDomain(), inputs, false); err != nil {
- util.GetLogger(ctx).WithError(err).Error("roomserverAPI.SendInputRoomEvents failed")
- return util.JSONResponse{
- Code: http.StatusInternalServerError,
- JSON: spec.InternalServerError{},
- }
- }
-
- // TODO(#269): Reserve room alias while we create the room. This stops us
- // from creating the room but still failing due to the alias having already
- // been taken.
- if roomAlias != "" {
- aliasReq := roomserverAPI.SetRoomAliasRequest{
- Alias: roomAlias,
- RoomID: roomID,
- UserID: userID,
- }
+ userDisplayName := profile.DisplayName
+ userAvatarURL := profile.AvatarURL
- var aliasResp roomserverAPI.SetRoomAliasResponse
- err = rsAPI.SetRoomAlias(ctx, &aliasReq, &aliasResp)
- if err != nil {
- util.GetLogger(ctx).WithError(err).Error("aliasAPI.SetRoomAlias failed")
- return util.JSONResponse{
- Code: http.StatusInternalServerError,
- JSON: spec.InternalServerError{},
- }
- }
-
- if aliasResp.AliasExists {
- return util.JSONResponse{
- Code: http.StatusBadRequest,
- JSON: spec.RoomInUse("Room alias already exists."),
- }
- }
- }
+ keyID := cfg.Matrix.KeyID
+ privateKey := cfg.Matrix.PrivateKey
- // If this is a direct message then we should invite the participants.
- if len(r.Invite) > 0 {
- // Build some stripped state for the invite.
- var globalStrippedState []fclient.InviteV2StrippedState
- for _, event := range builtEvents {
- // Chosen events from the spec:
- // https://spec.matrix.org/v1.3/client-server-api/#stripped-state
- switch event.Type() {
- case spec.MRoomCreate:
- fallthrough
- case spec.MRoomName:
- fallthrough
- case spec.MRoomAvatar:
- fallthrough
- case spec.MRoomTopic:
- fallthrough
- case spec.MRoomCanonicalAlias:
- fallthrough
- case spec.MRoomEncryption:
- fallthrough
- case spec.MRoomMember:
- fallthrough
- case spec.MRoomJoinRules:
- ev := event.PDU
- globalStrippedState = append(
- globalStrippedState,
- fclient.NewInviteV2StrippedState(ev),
- )
- }
- }
+ req := roomserverAPI.PerformCreateRoomRequest{
+ InvitedUsers: createRequest.Invite,
+ RoomName: createRequest.Name,
+ Visibility: createRequest.Visibility,
+ Topic: createRequest.Topic,
+ StatePreset: createRequest.Preset,
+ CreationContent: createRequest.CreationContent,
+ InitialState: createRequest.InitialState,
+ RoomAliasName: createRequest.RoomAliasName,
+ RoomVersion: roomVersion,
+ PowerLevelContentOverride: createRequest.PowerLevelContentOverride,
+ IsDirect: createRequest.IsDirect,
- // Process the invites.
- var inviteEvent *types.HeaderedEvent
- for _, invitee := range r.Invite {
- // Build the invite event.
- inviteEvent, err = buildMembershipEvent(
- ctx, invitee, "", profileAPI, device, spec.Invite,
- roomID, r.IsDirect, cfg, evTime, rsAPI, asAPI,
- )
- if err != nil {
- util.GetLogger(ctx).WithError(err).Error("buildMembershipEvent failed")
- continue
- }
- inviteStrippedState := append(
- globalStrippedState,
- fclient.NewInviteV2StrippedState(inviteEvent.PDU),
- )
- // Send the invite event to the roomserver.
- event := inviteEvent
- err = rsAPI.PerformInvite(ctx, &roomserverAPI.PerformInviteRequest{
- Event: event,
- InviteRoomState: inviteStrippedState,
- RoomVersion: event.Version(),
- SendAsServer: string(userDomain),
- })
- switch e := err.(type) {
- case roomserverAPI.ErrInvalidID:
- return util.JSONResponse{
- Code: http.StatusBadRequest,
- JSON: spec.Unknown(e.Error()),
- }
- case roomserverAPI.ErrNotAllowed:
- return util.JSONResponse{
- Code: http.StatusForbidden,
- JSON: spec.Forbidden(e.Error()),
- }
- case nil:
- default:
- util.GetLogger(ctx).WithError(err).Error("PerformInvite failed")
- sentry.CaptureException(err)
- return util.JSONResponse{
- Code: http.StatusInternalServerError,
- JSON: spec.InternalServerError{},
- }
- }
- }
+ UserDisplayName: userDisplayName,
+ UserAvatarURL: userAvatarURL,
+ KeyID: keyID,
+ PrivateKey: privateKey,
+ EventTime: evTime,
}
-
- if r.Visibility == spec.Public {
- // expose this room in the published room list
- if err = rsAPI.PerformPublish(ctx, &roomserverAPI.PerformPublishRequest{
- RoomID: roomID,
- Visibility: spec.Public,
- }); err != nil {
- util.GetLogger(ctx).WithError(err).Error("failed to publish room")
- return util.JSONResponse{
- Code: http.StatusInternalServerError,
- JSON: spec.InternalServerError{},
- }
- }
+ roomAlias, createRes := rsAPI.PerformCreateRoom(ctx, *userID, *roomID, &req)
+ if createRes != nil {
+ return *createRes
}
response := createRoomResponse{
- RoomID: roomID,
+ RoomID: roomID.String(),
RoomAlias: roomAlias,
}
diff --git a/clientapi/routing/joinroom_test.go b/clientapi/routing/joinroom_test.go
index 4b67b09f..0ddff8a9 100644
--- a/clientapi/routing/joinroom_test.go
+++ b/clientapi/routing/joinroom_test.go
@@ -11,6 +11,7 @@ import (
"github.com/matrix-org/dendrite/internal/sqlutil"
"github.com/matrix-org/dendrite/setup/jetstream"
"github.com/matrix-org/gomatrixserverlib"
+ "github.com/matrix-org/gomatrixserverlib/spec"
"github.com/matrix-org/dendrite/appservice"
"github.com/matrix-org/dendrite/roomserver"
@@ -63,7 +64,7 @@ func TestJoinRoomByIDOrAlias(t *testing.T) {
IsDirect: true,
Topic: "testing",
Visibility: "public",
- Preset: presetPublicChat,
+ Preset: spec.PresetPublicChat,
RoomAliasName: "alias",
Invite: []string{bob.ID},
}, aliceDev, &cfg.ClientAPI, userAPI, rsAPI, asAPI, time.Now())
@@ -78,7 +79,7 @@ func TestJoinRoomByIDOrAlias(t *testing.T) {
IsDirect: true,
Topic: "testing",
Visibility: "public",
- Preset: presetPublicChat,
+ Preset: spec.PresetPublicChat,
Invite: []string{charlie.ID},
}, aliceDev, &cfg.ClientAPI, userAPI, rsAPI, asAPI, time.Now())
crRespWithGuestAccess, ok := resp.JSON.(createRoomResponse)
diff --git a/clientapi/routing/membership.go b/clientapi/routing/membership.go
index 4f2a0e39..0fe0a4ad 100644
--- a/clientapi/routing/membership.go
+++ b/clientapi/routing/membership.go
@@ -16,12 +16,14 @@ package routing
import (
"context"
+ "crypto/ed25519"
"fmt"
"net/http"
"time"
"github.com/getsentry/sentry-go"
"github.com/matrix-org/gomatrixserverlib"
+ "github.com/matrix-org/gomatrixserverlib/fclient"
"github.com/matrix-org/gomatrixserverlib/spec"
appserviceAPI "github.com/matrix-org/dendrite/appservice/api"
@@ -308,21 +310,16 @@ func sendInvite(
}, nil
}
-func buildMembershipEvent(
+func buildMembershipEventDirect(
ctx context.Context,
- targetUserID, reason string, profileAPI userapi.ClientUserAPI,
- device *userapi.Device,
+ targetUserID, reason string, userDisplayName, userAvatarURL string,
+ sender string, senderDomain spec.ServerName,
membership, roomID string, isDirect bool,
- cfg *config.ClientAPI, evTime time.Time,
- rsAPI roomserverAPI.ClientRoomserverAPI, asAPI appserviceAPI.AppServiceInternalAPI,
+ keyID gomatrixserverlib.KeyID, privateKey ed25519.PrivateKey, evTime time.Time,
+ rsAPI roomserverAPI.ClientRoomserverAPI,
) (*types.HeaderedEvent, error) {
- profile, err := loadProfile(ctx, targetUserID, cfg, profileAPI, asAPI)
- if err != nil {
- return nil, err
- }
-
proto := gomatrixserverlib.ProtoEvent{
- Sender: device.UserID,
+ Sender: sender,
RoomID: roomID,
Type: "m.room.member",
StateKey: &targetUserID,
@@ -330,13 +327,34 @@ func buildMembershipEvent(
content := gomatrixserverlib.MemberContent{
Membership: membership,
- DisplayName: profile.DisplayName,
- AvatarURL: profile.AvatarURL,
+ DisplayName: userDisplayName,
+ AvatarURL: userAvatarURL,
Reason: reason,
IsDirect: isDirect,
}
- if err = proto.SetContent(content); err != nil {
+ if err := proto.SetContent(content); err != nil {
+ return nil, err
+ }
+
+ identity := &fclient.SigningIdentity{
+ ServerName: senderDomain,
+ KeyID: keyID,
+ PrivateKey: privateKey,
+ }
+ return eventutil.QueryAndBuildEvent(ctx, &proto, identity, evTime, rsAPI, nil)
+}
+
+func buildMembershipEvent(
+ ctx context.Context,
+ targetUserID, reason string, profileAPI userapi.ClientUserAPI,
+ device *userapi.Device,
+ membership, roomID string, isDirect bool,
+ cfg *config.ClientAPI, evTime time.Time,
+ rsAPI roomserverAPI.ClientRoomserverAPI, asAPI appserviceAPI.AppServiceInternalAPI,
+) (*types.HeaderedEvent, error) {
+ profile, err := loadProfile(ctx, targetUserID, cfg, profileAPI, asAPI)
+ if err != nil {
return nil, err
}
@@ -345,7 +363,8 @@ func buildMembershipEvent(
return nil, err
}
- return eventutil.QueryAndBuildEvent(ctx, &proto, cfg.Matrix, identity, evTime, rsAPI, nil)
+ return buildMembershipEventDirect(ctx, targetUserID, reason, profile.DisplayName, profile.AvatarURL,
+ device.UserID, device.UserDomain(), membership, roomID, isDirect, identity.KeyID, identity.PrivateKey, evTime, rsAPI)
}
// loadProfile lookups the profile of a given user from the database and returns
diff --git a/clientapi/routing/profile.go b/clientapi/routing/profile.go
index 76129f0a..2c9d0cbb 100644
--- a/clientapi/routing/profile.go
+++ b/clientapi/routing/profile.go
@@ -387,7 +387,7 @@ func buildMembershipEvents(
return nil, err
}
- event, err := eventutil.QueryAndBuildEvent(ctx, &proto, cfg.Matrix, identity, evTime, rsAPI, nil)
+ event, err := eventutil.QueryAndBuildEvent(ctx, &proto, identity, evTime, rsAPI, nil)
if err != nil {
return nil, err
}
diff --git a/clientapi/routing/redaction.go b/clientapi/routing/redaction.go
index ed70e5c5..88312642 100644
--- a/clientapi/routing/redaction.go
+++ b/clientapi/routing/redaction.go
@@ -137,7 +137,7 @@ func SendRedaction(
}
var queryRes roomserverAPI.QueryLatestEventsAndStateResponse
- e, err := eventutil.QueryAndBuildEvent(req.Context(), &proto, cfg.Matrix, identity, time.Now(), rsAPI, &queryRes)
+ e, err := eventutil.QueryAndBuildEvent(req.Context(), &proto, identity, time.Now(), rsAPI, &queryRes)
if errors.Is(err, eventutil.ErrRoomNoExists{}) {
return util.JSONResponse{
Code: http.StatusNotFound,
diff --git a/clientapi/routing/sendevent.go b/clientapi/routing/sendevent.go
index bc14642f..1a2e25c9 100644
--- a/clientapi/routing/sendevent.go
+++ b/clientapi/routing/sendevent.go
@@ -293,7 +293,7 @@ func generateSendEvent(
}
var queryRes api.QueryLatestEventsAndStateResponse
- e, err := eventutil.QueryAndBuildEvent(ctx, &proto, cfg.Matrix, identity, evTime, rsAPI, &queryRes)
+ e, err := eventutil.QueryAndBuildEvent(ctx, &proto, identity, evTime, rsAPI, &queryRes)
switch specificErr := err.(type) {
case nil:
case eventutil.ErrRoomNoExists:
diff --git a/clientapi/routing/server_notices.go b/clientapi/routing/server_notices.go
index ad50cc80..06714ed1 100644
--- a/clientapi/routing/server_notices.go
+++ b/clientapi/routing/server_notices.go
@@ -155,7 +155,7 @@ func SendServerNotice(
Invite: []string{r.UserID},
Name: cfgNotices.RoomName,
Visibility: "private",
- Preset: presetPrivateChat,
+ Preset: spec.PresetPrivateChat,
CreationContent: cc,
RoomVersion: roomVersion,
PowerLevelContentOverride: pl,
diff --git a/clientapi/threepid/invites.go b/clientapi/threepid/invites.go
index c296939d..9f4f62e4 100644
--- a/clientapi/threepid/invites.go
+++ b/clientapi/threepid/invites.go
@@ -380,7 +380,7 @@ func emit3PIDInviteEvent(
}
queryRes := api.QueryLatestEventsAndStateResponse{}
- event, err := eventutil.QueryAndBuildEvent(ctx, proto, cfg.Matrix, identity, evTime, rsAPI, &queryRes)
+ event, err := eventutil.QueryAndBuildEvent(ctx, proto, identity, evTime, rsAPI, &queryRes)
if err != nil {
return err
}