Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Natalia Makishvili #74

Open
wants to merge 7 commits into
base: master
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from 3 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
35 changes: 20 additions & 15 deletions index.js
Original file line number Diff line number Diff line change
Expand Up @@ -21,6 +21,9 @@ var result = lego.query(
// Отсортируем их по возрасту (но зачем?)
lego.sortBy('age', 'asc'), // Бывает только asc (от меньшего к большему) или desc (наоборот)

// Выбираем представителей одного пола
lego.filterEqual('gender', 'Женский'),

// А пол выведем только первой буквой для удобства
lego.format('gender', function (value) {
return value[0];
Expand All @@ -29,21 +32,23 @@ var result = lego.query(
// На дачу влезет примерно 10 человек
lego.limit(10)
);
console.log(result);

// Будет круто организовать две вечеринки сразу: яблочную для девушек и картофельную для парней.

var result = lego.query(
phoneBook,
// Будет круто организовать две вечеринки сразу: яблочную для девушек и картофельную для парней.

// Выбираем всех парней, которые любят картофель, и всех девушек, которые любят яблоки
lego.or(
lego.and(
lego.filterEqual('gender', 'Мужской'),
lego.filterIn('favoriteFruit', ['Картофель'])
),
lego.and(
lego.filterEqual('gender', 'Женский'),
lego.filterIn('favoriteFruit', ['Яблоко'])
)
)
);
//var result = lego.query(
// phoneBook,
//
// // Выбираем всех парней, которые любят картофель, и всех девушек, которые любят яблоки
// lego.or(
// lego.and(
// lego.filterEqual('gender', 'Мужской'),
// lego.filterIn('favoriteFruit', ['Картофель'])
// ),
// lego.and(
// lego.filterEqual('gender', 'Женский'),
// lego.filterIn('favoriteFruit', ['Яблоко'])
// )
// )
//);
75 changes: 70 additions & 5 deletions lego.js
Original file line number Diff line number Diff line change
@@ -1,8 +1,14 @@
'use strict';

// Метод, который будет выполнять операции над коллекцией один за другим
module.exports.query = function (collection /* операторы через запятую */) {
module.exports.query = function () {
var collection = arguments[0];

for (var i = 1; i < arguments.length; i++) {
collection = arguments[i](collection);
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Здесь можно использовать reduce

Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Попробовала reduce, получилось более громоздко, чем в текущей реализации.

Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Покажи

}

return collection;
};

// Оператор reverse, который переворачивает коллекцию
Expand All @@ -15,13 +21,72 @@ module.exports.reverse = function () {
};
};

// Оператор select, который выбирает только нужные поля
module.exports.select = function () {
var args = arguments;

return function (collection) {
return collection.map(function (item) {
var changedItem = {};

for (var i = 0; i < args.length; i++) {
var fieldName = args[i];
changedItem[fieldName] = item[fieldName];
}

return changedItem;
});
}
};

// Обязательно выбираем тех, кто любит Яблоки и Картофель (самое важное !!!)
module.exports.filterIn = function (field, type) {
return function (collection) {
return collection.filter(function(item){
return type.indexOf(item[field]) !== -1;
});
};
};

// Отсортируем их по возрасту
module.exports.sortBy = function (field, type) {
return function (collection) {
return collection.sort(function (a, b) {
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Функция сортировки достаточно постоянная, возможно ли её вынести отсюда?

var result = Number(a[field]) - Number(b[field]);
return type === 'desc' ? -result : result;
});
}
};

// возвращает коллекцию, в которое поле (аргумент 1), равно значению (аргумент 2)
module.exports.filterEqual = function (field, type) {
return function (collection) {
return collection.filter(function(item){
return item[field] === type;
});
};
};

// А пол выведем только первой буквой для удобства
module.exports.format = function (field, fn) {
return function (collection) {
return collection.map(function (item) {
item[field] = fn(item[field]);

return item;
})
};
};

// Оператор limit, который выбирает первые N записей
module.exports.limit = function (n) {
// Магия
return function (collection) {
return collection.filter(function(item, i){
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Имхо здесь filter избыточен, есть метод гораздо проще

return i < n;
});
};
};

// Вам необходимо реализовать остальные операторы:
// select, filterIn, filterEqual, sortBy, format, limit

// Будет круто, если реализуете операторы:
// or и and
//реализую в следующем PR