Mongoose 모델에서 스키마 특성 가져오기
Mongoose.js를 사용하여 스키마로 모델을 만들고 있습니다.
모델 목록(여러 개)이 있으며, 특정 모델을 구성하는 특성/키를 얻고자 할 때도 있습니다.
주어진 모델에 대한 속성 스키마를 추출하는 방법이 있습니까?
예를들면,
var mySchema = module.exports = new Schema({
SID: {
type: Schema.Types.ObjectId
//, required: true
},
teams: {
type: [String]
},
hats: [{
val: String,
dt: Date
}],
shields: [{
val: String,
dt: Date
}],
shoes: [{
val: String,
dt: Date
}]
}
);
스키마의 속성을 추출/식별할 수 있습니까?[SID, hats, teams, shields, shoes]
??
네, 가능합니다.
각 스키마는 다음이 있습니다.paths
속성, 다음과 같이 표시됩니다(이것은 내 코드의 예입니다).
paths: {
number: [Object],
'name.first': [Object],
'name.last': [Object],
ssn: [Object],
birthday: [Object],
'job.company': [Object],
'job.position': [Object],
'address.city': [Object],
'address.state': [Object],
'address.country': [Object],
'address.street': [Object],
'address.number': [Object],
'address.zip': [Object],
email: [Object],
phones: [Object],
tags: [Object],
createdBy: [Object],
createdAt: [Object],
updatedBy: [Object],
updatedAt: [Object],
meta: [Object],
_id: [Object],
__v: [Object]
}
당신은 모델을 통해서도 이것에 접근할 수 있습니다.밑에 있습니다Model.schema.paths
.
의견을 제시할 담당자가 충분하지 않지만, 이는 또한 목록을 내보내고 모든 스키마 유형을 순환시킵니다.
mySchema.schema.eachPath(function(path) {
console.log(path);
});
출력해야 합니다.
number
name.first
name.last
ssn
birthday
job.company
job.position
address.city
address.state
address.country
address.street
address.number
address.zip
email
phones
tags
createdBy
createdAt
updatedBy
updatedAt
meta
_id
__v
또는 다음과 같은 모든 특성을 배열로 가져올 수 있습니다.
var props = Object.keys(mySchema.schema.paths);
내 솔루션은 몽구스 모델을 사용합니다.
스키마 속성
const schema = {
email: {
type: String,
required: 'email is required',
},
password: {
type: String,
required: 'password is required',
},
};
스키마
const FooSchema = new Schema(schema);
모델
const FooModel = model('Foo', FooSchema);
모델에서 속성 가져오기:
Object.keys(FooModel.schema.tree)
결과:
[
'email',
'password',
'_id',
'__v'
]
lodash에 대한 솔루션, 지정된 것을 제외하고 모든 스키마 속성을 선택한 함수
_.mixin({ pickSchema: function (model, excluded) {
var fields = [];
model.schema.eachPath(function (path) {
_.isArray(excluded) ? excluded.indexOf(path) < 0 ? fields.push(path) : false : path === excluded ? false : fields.push(path);
});
return fields;
}
});
_.pickSchema(User, '_id'); // will return all fields except _id
_.pick(req.body, _.pickSchema(User, ['_id', 'createdAt', 'hidden'])) // all except specified properties
여기서 더 읽기 https://gist.github.com/styopdev/95f3fed98ce3ebaedf5c
스키마 생성자에게 전달된 원래 개체를 반환하는 Schema.prototype.obj를 사용할 수 있습니다.유틸리티 기능으로 저장할 객체를 만들 수 있습니다.
import Todo from './todoModel'
import { validationResult } from 'express-validator'
const buildObject = (body) => {
const data = {};
const keys = Object.keys(Todo.schema.obj);
keys.forEach(key => { if (body.hasOwnProperty(key)) data[key] = body[key] })
return data;
}
const create = async (req, res) => {
try {
const errors = validationResult(req);
if (!errors.isEmpty()) return res.json(errors);
let toBeSaved = buildObject(req.body);
const todo = new Todo(toBeSaved);
const savedTodo = await todo.save();
if (savedTodo) return res.json(savedTodo);
return res.json({ 'sanitized': keys })
} catch (error) {
res.json({ error })
}
}
다른 방법은 buildObject 함수를 호출하지 않고 두 줄로 추가하지만 저장할 모든 키를 기록하는 것입니다.
let { title, description } = req.body;
let toBeSaved = { title, description };
ES6 속기 속성 이름 사용
'$__'로 시작하는 ORM의 add 메서드가 아닌 추가한 속성만 사용하려면 문서를 개체로 만든 다음 다음과 같은 속성에 액세스해야 합니다.
Object.keys(document.toObject());
수락된 답변은 저에게 효과가 없었습니다.그러나 Mongoose 5.4.2를 사용하여 다음과 같은 작업을 수행함으로써 키를 얻을 수 있었습니다.
const mySchema = new Schema({ ... });
const arrayOfKeys = Object.keys(mySchema.obj);
하지만 저는 타자기를 사용하고 있습니다.그것이 문제였을지도 모릅니다.
모든 속성 값(내스트된 속성 및 채워진 속성 포함)을 가지려면 다음을 사용합니다.toObject()
방법:
let modelAttributes = null;
SomeModel.findById('someId').populate('child.name').exec().then((result) => {
modelAttributes = result.toObject();
console.log(modelAttributes);
});
출력은 다음과 같습니다.
{
id: 'someId',
name: 'someName',
child: {
name: 'someChildName'
}
...
}
원하는 필드 이름만 입력하면 됩니다.
let fieldName = 'birthday'
console.log(mySchema.schema.paths[fieldName].instance);
키를 통해 속성 반복
for (var key in FooModel.schema.obj) {
//do your stuff with key
}
언급URL : https://stackoverflow.com/questions/17035297/getting-schema-attributes-from-mongoose-model
'programing' 카테고리의 다른 글
새 행에 대해서만 기본 NOW()가 있는 타임스탬프 열 (0) | 2023.05.01 |
---|---|
"#!/usr/bin/envash"와 "#!/usr/bin/bash"의 차이점은 무엇입니까? (0) | 2023.05.01 |
윈도우즈 Azure 가상 시스템 - 포트 열기 (0) | 2023.05.01 |
이클립스에서 내 프로젝트 옆에 빨간색 느낌표가 있는 이유는 무엇입니까? (0) | 2023.05.01 |
인덱스가 배열 범위를 벗어났습니다. (Microsoft)SqlServer.smo) (0) | 2023.05.01 |