0

ユーザー アカウントの更新に問題があります。次のスキーマ (collection2) を使用します。

lib/collections/users.js

Users = Meteor.users;




var Schemas = {};


Schemas.User = new SimpleSchema({
gender: {
    type: Number,

    min: 1

},

s_gender: {
    type: Number,
    min: 1,
    optional:false
},
picture: {
    type: String,
    custom: function() {

        var base64Matcher = new RegExp("^(?:[A-Za-z0-9+/]{4})*(?:[A-Za-z0-9+/]{2}==|[A-Za-z0-9+/]{3}=|[A-Za-z0-9+/]{4})$");
        var value = this.value.replace("data:image/png;base64,","");
        if(!base64Matcher.test(value))
        {
            return 'no picture';
        }
        else
        {
            return true;
        }

    }
}
});

Users.attachSchema(Schemas.User);

ここで、次のコードを使用して更新を行います。

クライアント/テンプレート/start.js

  Users.update({_id: Meteor.userId()}, {
        $set: {picture: picture, gender: gender, s_gender: s_gender}
    }, {validationContext: "updateUser"}, function (error, result) {

        if (error) {
            errorObjs = Users.simpleSchema().namedContext("updateUser").invalidKeys();

            console.log(errorObjs);
        }

        console.log(result);
    });

検証はパスしましたが、結果に「0」しか表示されません (エラーは null です)。更新が機能していません。空のフィールドがあるとエラーが表示されるため、検証はうまく機能しています。スキーマをデタッチすると、更新は正常に機能します。

ここで何かを忘れたのですか、それとも検証に合格したときに彼が更新しないのはなぜですか?

// 編集: また、Meteor がユーザーを作成しなくなったこともわかりました。

4

1 に答える 1

0

Users.foo の代わりに Users.profile.foo を使用する必要があると思います。なぜなら、Users は特別な隕石コレクションであり、プロファイル フィールド内に新しいフィールドしか保存できないからです。Simple Schema/Collection 2 で提案されている User スキーマを出発点として使用してみてください (以下にコピーします)。「プロファイル スキーマ」がユーザー スキーマの前に読み込まれることに注意してください。

Schema = {};

Schema.UserProfile = new SimpleSchema({
    firstName: {
        type: String,
        regEx: /^[a-zA-Z-]{2,25}$/,
        optional: true
    },
    lastName: {
        type: String,
        regEx: /^[a-zA-Z]{2,25}$/,
        optional: true
    },
    birthday: {
        type: Date,
        optional: true
    },
    gender: {
        type: String,
        allowedValues: ['Male', 'Female'],
        optional: true
    },
    organization : {
        type: String,
        regEx: /^[a-z0-9A-z .]{3,30}$/,
        optional: true
    },
    website: {
        type: String,
        regEx: SimpleSchema.RegEx.Url,
        optional: true
    },
    bio: {
        type: String,
        optional: true
    }
});

Schema.User = new SimpleSchema({
    username: {
        type: String,
        regEx: /^[a-z0-9A-Z_]{3,15}$/
    },
    emails: {
        type: [Object],
        optional: true
    },
    "emails.$.address": {
        type: String,
        regEx: SimpleSchema.RegEx.Email
    },
    "emails.$.verified": {
        type: Boolean
    },
    createdAt: {
        type: Date
    },
    profile: {
        type: Schema.UserProfile,
        optional: true
    },
    services: {
        type: Object,
        optional: true,
        blackbox: true
    }
});

Meteor.users.attachSchema(Schema.User);

ソース: https://github.com/aldeed/meteor-collection2

于 2015-07-21T10:57:23.553 に答える