Поднимите значения ключа на верхний уровень, сохраняя остальную часть объекта с помощью Ramda. - PullRequest
0 голосов
/ 15 февраля 2020

Я хотел бы встроить его в мою функцию compose, чтобы значения record go находились на верхнем уровне объекта, тогда как остальные клавиши оставались в такте:

{
  record: {
    seasons: [
      1
    ],
    colors: [
      2
    ]
  },
  tag_ids: [
    2091
  ]
}

Результат, который я получаю:

{
  seasons: [
    1
  ],
  colors: [
    2
  ],
  tag_ids: [
    2091
  ]
}

Любой из ключей может или может не существовать.

Я всегда поцарапал моя голова с ramda способ сделать это в compose функции. В настоящее время я смотрю на toPairs и выполняю довольно длинные многослойные преобразования без удачи.

Ответы [ 4 ]

2 голосов
/ 15 февраля 2020

Это может быть проще для простого JS, чем для Ramda:

const data = { record: { seasons: [1], colors: [2] }, tag_ids: [2091] }

const flattenRecord = ({record = {}, ...rest}) => ({...record, ...rest})

flattenRecord(data) //=> {"colors": [2], "seasons": [1], "tag_ids": [2091]}

Если вы все еще хотите использовать Ramda для решения, рассмотрите вопрос R.mergeLeft ( или R.mergeRight) и R.omit.

1 голос
/ 15 февраля 2020

Это тоже может помочь!

const lift = key => R.converge(R.mergeRight, [
  R.dissoc(key),
  R.prop(key),
]);

const liftRecord = lift('record');

// ====
const data = {
  record: {
    seasons: [
      1
    ],
    colors: [
      2
    ]
  },
  tag_ids: [
    2091
  ]
};

console.log(
  liftRecord(data),
);
<script src="https://cdnjs.cloudflare.com/ajax/libs/ramda/0.27.0/ramda.js" integrity="sha256-buL0byPvI/XRDFscnSc/e0q+sLA65O9y+rbF+0O/4FE=" crossorigin="anonymous"></script>
1 голос
/ 15 февраля 2020

Вы можете использовать R.chain с R.merge и R.prop, чтобы сгладить содержимое ключа путем слияния его с исходным объектом, а затем вы можете опустить исходный ключ.

const { pipe, chain, merge, prop, omit } = R

const fn = key => pipe(
  chain(merge, prop(key)), // flatten the key's content
  omit([key]) // remove the key
)

const data = { record: { seasons: [1], colors: [2] }, tag_ids: [2091] }

const result = fn('record')(data)

console.log(result)
<script src="https://cdnjs.cloudflare.com/ajax/libs/ramda/0.27.0/ramda.js"></script>
1 голос
/ 15 февраля 2020

Вы можете использовать оператор распространения.

const startingWithAllProps = {
  record: {
    seasons: [
      1
    ],
    colors: [
      2
    ]
  },
  tag_ids: [
    2091
  ]
}

const startingWithoutRecord = {
  tag_ids: [
    2091
  ]
}

const startingWithoutTagIds = {
  record: {
    seasons: [
      1
    ],
    colors: [
      2
    ]
  }
}

const moveRecordUpOneLevel = (startingObject) => {
  const temp = {
    ...startingObject.record,
    tag_ids: startingObject.tag_ids
  }
  return JSON.parse(JSON.stringify(temp)) // To remove any undefined props
}

const afterTransformWithAllProps = moveRecordUpOneLevel(startingWithAllProps)
const afterTransformWithoutRecord = moveRecordUpOneLevel(startingWithoutRecord)
const afterTransformWithoutTagIds = moveRecordUpOneLevel(startingWithoutTagIds)

console.log('afterTransformWithAllProps', afterTransformWithAllProps)
console.log('afterTransformWithoutRecord', afterTransformWithoutRecord)
console.log('afterTransformWithoutTagIds', afterTransformWithoutTagIds)
...