이 코드가 있다고 가정하십시오.
var myArray = new Object();
myArray["firstname"] = "Bob";
myArray["lastname"] = "Smith";
myArray["age"] = 25;
이제 "lastname"을 제거하고 싶습니까? ....
myArray["lastname"].remove()
?
(요소의 수가 중요하고 물건을 깨끗하게 유지하기 위해 요소가 없어야합니다.)
이 코드가 있다고 가정하십시오.
var myArray = new Object();
myArray["firstname"] = "Bob";
myArray["lastname"] = "Smith";
myArray["age"] = 25;
이제 "lastname"을 제거하고 싶습니까? ....
myArray["lastname"].remove()
?
(요소의 수가 중요하고 물건을 깨끗하게 유지하기 위해 요소가 없어야합니다.)
답변:
JavaScript의 객체는 키 (속성)를 값에 매핑하는 연관 배열로 생각할 수 있습니다.
JavaScript의 객체에서 속성을 제거하려면 delete
연산자 를 사용하십시오 .
const o = { lastName: 'foo' }
o.hasOwnProperty('lastName') // true
delete o['lastName']
o.hasOwnProperty('lastName') // false
때 참고 delete
의 인덱스 속성에 적용 Array
, 당신이 만듭니다 인구 밀도 배열 (예. 누락 된 인덱스 배열).
의 인스턴스로 작업 할 때 Array
당신은 인구 밀도가 배열을 만들지 않으려면, - 당신은 일반적으로하지 않습니다 - 당신은 사용해야 Array#splice
하거나 Array#pop
.
delete
JavaScript 의 연산자는 메모리를 직접 비우지 않습니다. 그 목적은 객체에서 속성을 제거하는 것입니다. 속성의 존재가 삭제 한 경우 물론, 객체에 유일하게 남아있는 참조를 보유 o
하고 o
이후 쓰레기는 일반적인 방법으로 수집됩니다.
delete myArray[0]
. 참조 stackoverflow.com/a/9973592/426379 및 삭제 배열 요소를
length
Array 객체 의 속성은 변경되지 않습니다.
myArray
정말 배열로 사용 -하지만 그렇지 않은 ( myArray
, 그 목적은 불행한 이름입니다). 따라서이 경우 delete
에는 정상입니다. 그것이 new Array()
연관 배열 로 작성되어 사용 되더라도 여전히 괜찮습니다. 그래도 실제 배열을 사용하는 경우 경고해야 할 사항이 있습니다.
JavaScript의 모든 객체는 해시 테이블 / 연관 배열로 구현됩니다. 따라서 다음은 동일합니다.
alert(myObj["SomeProperty"]);
alert(myObj.SomeProperty);
그리고 이미 표시된 바와 같이 delete
키워드 를 통해 객체에서 속성을 "제거"하면 두 가지 방법으로 사용할 수 있습니다.
delete myObj["SomeProperty"];
delete myObj.SomeProperty;
추가 정보가 도움이 되길 바랍니다 ...
myObj['some;property']
작동하지만 myObj.some;property
(명백한 이유로) 그렇지 않습니다. 또한 대괄호 표기법에서 변수를 사용할 수 있음이 분명하지 않을 수 있습니다.var x = 'SomeProperty'; alert(myObj[x])
더 없다 - 이전 답변 없음 자바 스크립트로 시작하는 연관 배열을하지 않는다는 사실 해결하지 array
, 유형 등 참조 typeof
.
Javascript에는 동적 속성이있는 객체 인스턴스가 있습니다. 속성이 Array 객체 인스턴스의 요소와 혼동되면 Bad Things ™가 발생합니다.
var elements = new Array()
elements.push(document.getElementsByTagName("head")[0])
elements.push(document.getElementsByTagName("title")[0])
elements["prop"] = document.getElementsByTagName("body")[0]
console.log("number of elements: ", elements.length) // returns 2
delete elements[1]
console.log("number of elements: ", elements.length) // returns 2 (?!)
for (var i = 0; i < elements.length; i++)
{
// uh-oh... throws a TypeError when i == 1
elements[i].onmouseover = function () { window.alert("Over It.")}
console.log("success at index: ", i)
}
폭파되지 않는 범용 제거 기능을 사용하려면 다음을 사용하십시오.
Object.prototype.removeItem = function (key) {
if (!this.hasOwnProperty(key))
return
if (isNaN(parseInt(key)) || !(this instanceof Array))
delete this[key]
else
this.splice(key, 1)
};
//
// Code sample.
//
var elements = new Array()
elements.push(document.getElementsByTagName("head")[0])
elements.push(document.getElementsByTagName("title")[0])
elements["prop"] = document.getElementsByTagName("body")[0]
console.log(elements.length) // returns 2
elements.removeItem("prop")
elements.removeItem(0)
console.log(elements.hasOwnProperty("prop")) // returns false as it should
console.log(elements.length) // returns 1 as it should
Array
JS에서의 객체를 시도하다 typeof new Array();
또는 typeof []
확인 할 수 있습니다. Array
단순히 "다른 짐승"이 아닌 특정 종류의 물체입니다. JS에서 객체는 생성자 이름과 프로토 타입 체인으로 구별됩니다 . 프로토 타입 기반 프로그래밍을 참조하십시오 .
delete
연산자와 관련된 결함 Array
을 해결하는 것입니다.
delete
결함이 없습니다. delete
속성을 제거하도록 설계되었습니다. 그게 다야. delete 연산자를 배열의 인덱스에 적용하면 해당 인덱스가 제거됩니다. 더 필요한 게 뭐야? 언어의 기능인 희소 배열이 남아 있습니다. 희소 배열을 원하지 않으면 색인을 삭제하지 마십시오 : use splice
또는 pop
.
허용되는 답변은 정확하지만 왜 작동하는지에 대한 설명이 없습니다.
우선, 당신의 코드는이 사실 반영해야 하지 배열을 :
var myObject = new Object();
myObject["firstname"] = "Bob";
myObject["lastname"] = "Smith";
myObject["age"] = 25;
모든 객체 ( Array
s )를 이런 식으로 사용할 수 있습니다. 그러나 객체에서 작동 할 표준 JS 배열 함수 (pop, push, ...)를 기대하지 마십시오!
허용 된 답변에서 말했듯이 delete
객체에서 항목을 제거하는 데 사용할 수 있습니다 .
delete myObject["lastname"]
객체 (연관 배열 / 사전)를 사용하거나 배열 (지도)을 사용하려는 경로를 결정해야합니다. 두 가지를 섞지 마십시오.
메소드 splice
를 사용 하여 객체 배열에서 항목을 완전히 제거하십시오.
Object.prototype.removeItem = function (key, value) {
if (value == undefined)
return;
for (var i in this) {
if (this[i][key] == value) {
this.splice(i, 1);
}
}
};
var collection = [
{ id: "5f299a5d-7793-47be-a827-bca227dbef95", title: "one" },
{ id: "87353080-8f49-46b9-9281-162a41ddb8df", title: "two" },
{ id: "a1af832c-9028-4690-9793-d623ecc75a95", title: "three" }
];
collection.removeItem("id", "87353080-8f49-46b9-9281-162a41ddb8df");
다른 답변에서 언급했듯이 사용중인 것은 Javascript 배열이 아니라 Javascript 객체입니다.이 객체는 모든 키가 문자열로 변환된다는 점을 제외하고 다른 언어의 연관 배열과 거의 유사합니다. 새 지도 는 키를 원래 유형으로 저장합니다.
객체가 아닌 배열이있는 경우 배열의 .filter 함수를 사용하여 제거하려는 항목없이 새 배열을 반환 할 수 있습니다 .
var myArray = ['Bob', 'Smith', 25];
myArray = myArray.filter(function(item) {
return item !== 'Smith';
});
이전 브라우저와 jQuery가있는 경우 jQuery에는 다음 과 유사한 $.grep
방법 이 있습니다.
myArray = $.grep(myArray, function(item) {
return item !== 'Smith';
});
에어 비앤비 스타일 가이드에는이를위한 우아한 방법이 있습니다 (ES7).
const myObject = {
a: 1,
b: 2,
c: 3
};
const { a, ...noA } = myObject;
console.log(noA); // => { b: 2, c: 3 }
저작권 : https://codeburst.io/use-es2015-object-rest-operator-to-omit-properties-38a3ecffe90
Object를 사용하고 있는데 연관 배열이 없습니다. 연관 배열을 사용하면 항목을 추가하고 제거하는 방법은 다음과 같습니다.
Array.prototype.contains = function(obj)
{
var i = this.length;
while (i--)
{
if (this[i] === obj)
{
return true;
}
}
return false;
}
Array.prototype.add = function(key, value)
{
if(this.contains(key))
this[key] = value;
else
{
this.push(key);
this[key] = value;
}
}
Array.prototype.remove = function(key)
{
for(var i = 0; i < this.length; ++i)
{
if(this[i] == key)
{
this.splice(i, 1);
return;
}
}
}
// Read a page's GET URL variables and return them as an associative array.
function getUrlVars()
{
var vars = [], hash;
var hashes = window.location.href.slice(window.location.href.indexOf('?') + 1).split('&');
for(var i = 0; i < hashes.length; i++)
{
hash = hashes[i].split('=');
vars.push(hash[0]);
vars[hash[0]] = hash[1];
}
return vars;
}
function ForwardAndHideVariables() {
var dictParameters = getUrlVars();
dictParameters.add("mno", "pqr");
dictParameters.add("mno", "stfu");
dictParameters.remove("mno");
for(var i = 0; i < dictParameters.length; i++)
{
var key = dictParameters[i];
var value = dictParameters[key];
alert(key + "=" + value);
}
// And now forward with HTTP-POST
aa_post_to_url("Default.aspx", dictParameters);
}
function aa_post_to_url(path, params, method) {
method = method || "post";
var form = document.createElement("form");
//move the submit function to another variable
//so that it doesn't get written over if a parameter name is 'submit'
form._submit_function_ = form.submit;
form.setAttribute("method", method);
form.setAttribute("action", path);
for(var i = 0; i < params.length; i++)
{
var key = params[i];
var hiddenField = document.createElement("input");
hiddenField.setAttribute("type", "hidden");
hiddenField.setAttribute("name", key);
hiddenField.setAttribute("value", params[key]);
form.appendChild(hiddenField);
}
document.body.appendChild(form);
form._submit_function_(); //call the renamed function
}
'undefined'에 명시 적으로 할당하여 맵에서 항목을 제거 할 수 있습니다. 귀하의 경우와 같이 :
myArray [ "lastname"] = 정의되지 않음;
함수 로서도 사용할 수 있습니다. 프로토 타입으로 사용하면 Angular에서 약간의 오류가 발생합니다. 감사합니다 @HarpyWar. 문제 해결에 도움이되었습니다.
var removeItem = function (object, key, value) {
if (value == undefined)
return;
for (var i in object) {
if (object[i][key] == value) {
object.splice(i, 1);
}
}
};
var collection = [
{ id: "5f299a5d-7793-47be-a827-bca227dbef95", title: "one" },
{ id: "87353080-8f49-46b9-9281-162a41ddb8df", title: "two" },
{ id: "a1af832c-9028-4690-9793-d623ecc75a95", title: "three" }
];
removeItem(collection, "id", "87353080-8f49-46b9-9281-162a41ddb8df");
프로젝트에 underscore.js 종속 항목 이 있으면 매우 간단합니다.
_.omit(myArray, "lastname")
"delete"
키워드 를 사용하면 javascript의 배열에서 배열 요소를 삭제합니다.
예를 들어
다음 진술을 고려하십시오.
var arrayElementToDelete = new Object();
arrayElementToDelete["id"] = "XERTYB00G1";
arrayElementToDelete["first_name"] = "Employee_one";
arrayElementToDelete["status"] = "Active";
delete arrayElementToDelete["status"];
코드의 마지막 줄은 키가 "상태"인 배열 요소를 배열에서 제거합니다.
"배열"의 경우 :
색인을 알고있는 경우 :
array.splice(index, 1);
값을 알고있는 경우 :
function removeItem(array, value) {
var index = array.indexOf(value);
if (index > -1) {
array.splice(index, 1);
}
return array;
}
가장 큰 답 delete
은 실제 배열에는 적합하지 않지만 객체의 경우에는 잘 작동합니다. 내가 사용 delete
하면 루프에서 요소를 제거하지만 요소를 유지하고 empty
배열 길이는 변경되지 않습니다. 일부 시나리오에서는 문제가 될 수 있습니다.
예를 들어, 제거 후 myArray에서 myArray.toString ()을 수행 delete
하면 빈 항목이 생성됩니다.
function removeItem (array, value) {
var i = 0;
while (i < array.length) {
if(array[i] === value) {
array.splice(i, 1);
} else {
++i;
}
}
return array;
}
용법:
var new = removeItem( ["apple","banana", "orange"], "apple");
// ---> ["banana", "orange"]