找出包含特定键值对的对象
【解题思路】
- 遍历数组对象
- 查看当前对象所有键名对应的键值是否与目标对象相等
【我的解题方法】
function whatIsInAName(collection, source) {
const res=[];
for(const data of collection){
const keyValues=Object.entries(source);
if(keyValues.every(([key,value])=>data[key]===value)){
res.push(data);
}
}
return res;
}
【涉及知识点】
for...of
遍历Object.entries(object)
Array.every(funtion)
Array.push()
[搜索与替换](中级算法: 搜索与替换 | freeCodeCamp.org)
【解题思路】
【我的解题方法】
function myReplace(str, before, after) {
const res=str.split(' ').map((word,index)=>{
const fristLatter=word[0];
const isUpperCase=fristLatter===fristLatter.toUpperCase();
if(before===word){
return isUpperCase? after.replace(/(\b\w)/g,replaceFristLetter):after.toLowerCase();
}
return word
}).join(' ');
return res;
}
function replaceFristLetter ($1) {
return $1.substring(0,1).toUpperCase()+$1.substring(1);
}
【涉及知识点】
String.split()
Array.map()
String.toUpperCase()
String.replace()
String.substring()
Array.join()
- 正则表达式
[DNA 配对](中级算法: DNA 配对 | freeCodeCamp.org)
【解题思路】
【我的解题方法】
function pairElement(str) {
const MAP={
A:'T',
T:'A',
C:'G',
G:'C',
};
const res=str.split('').reduce((result,cur)=>{
result.push([cur,MAP[cur]]);
return result;
},[]);
return res;
}
【涉及知识点】
Array.split()
Array.reduce()
Array.push()
[寻找缺失的字母](中级算法: 寻找缺失的字母 | freeCodeCamp.org)
【解题思路】
【我的解题方法】
function fearNotLetter(str) {
const len=str.length;
let asciiCode=str.charCodeAt(0);
for(let i=asciiCode,index=0;index<len;i++,index++){
const value=String.fromCharCode(i);
if(value!==str[index]){
return value;
}
}
return undefined;
}
【涉及知识点】
String.charCodeAt(index)
String.fromCharCode(number)
[集合排序](中级算法: 集合排序 | freeCodeCamp.org)
【解题思路】
【我的解题方法】
function uniteUnique(...arr) {
return [...new Set([...arr].flat())];
}
【涉及知识点】
new Set()
Array.flat()
[根据参数删除数组元素](中级算法: 根据参数删除数组元素 | freeCodeCamp.org)
【解题思路】
【我的解题方法】
function dropElements(arr, func) {
let flag=false;
const res=[];
for(let value of arr){
if(func(value)||flag){
res.push(value);
if(func(value)) flag=true;
}
}
return res;
}
【涉及知识点】
[数组扁平化](中级算法: 数组扁平化 | freeCodeCamp.org)
【解题思路】
- 递归
【我的解题方法】
function steamrollArray(arr) {
let res=[];
for(const e of arr){
if(Array.isArray(e)){
res=[...res,...steamrollArray(e)];
}else{
res.push(e);
}
}
return res;
}
【涉及知识点】
- 递归
[翻译二进制字符串](中级算法: 翻译二进制字符串 | freeCodeCamp.org)
【解题思路】
【我的解题方法】
function binaryAgent(str) {
return str.split(' ').reduce((res,cur)=>{
const asciiCode=parseInt(cur,2);
res.push(String.fromCharCode(asciiCode));
return res;
},[]).join('');
}
【涉及知识点】
[一切都是True](中级算法: 一切都是True | freeCodeCamp.org)
【解题思路】
【我的解题方法】
function truthCheck(collection, pre) {
for(const data of collection){
if(!data[pre]) return false;
}
return true;
}