无法清除输入字段

时间:2019-05-10 09:05:31

标签: javascript dom

我正在用JavaScript创建一个过滤表。一切正常。但是,似乎无效的唯一一行是inputValue = ''。不确定为什么过滤后不想清除该字段

如果您将其替换为document.querySelector('.form__input').value,那么看起来一切正常,但是我不想重复相同的代码。我已经在上面将其声明为inputValue

const initValues = [
	'Walmart',
	'State Grid',
	'Sinopec Group',
	'China National Petrolium',
	'Royal Dutch Shell',
	'Toyota Motor',
	'Volkswagen',
	'BP',
	'Exxon Mobil',
	'Berkshire Hathaway'
];

const tableCreation = array => {
	const tableBody = document.querySelector('.table__body');
	document.querySelectorAll('tr').forEach(el => el.parentNode.removeChild(el));
	array.forEach(el => {
		const row = document.createElement('tr');
		const cell = document.createElement('td');
		const cellText = document.createTextNode(el);
		cell.appendChild(cellText);
		row.appendChild(cell);
		tableBody.appendChild(row);
	});
};

tableCreation(initValues);

const filterTable = event => {
	event.preventDefault();
	let inputValue = document.querySelector('.form__input').value;
	const filtered = initValues.filter(el => el.toLowerCase().includes(inputValue.toLowerCase()));
	if (filtered) {
		inputValue ? tableCreation(filtered) : tableCreation(initValues);
	}
	inputValue = '';
};

document.querySelector('.form__button').addEventListener('click', filterTable);
<!DOCTYPE html>
<html lang="en">
<head>
	<meta charset="UTF-8">
	<meta name="viewport" content="width=device-width, initial-scale=1.0">
	<meta http-equiv="X-UA-Compatible" content="ie=edge">
	<link rel="stylesheet" href="./css/3.css">
	<title>Filtered list</title>
</head>
<body>
	<form class="form" id="form">
		<label for="filter">Filtered: </label>
		<input class="form__input" type="text" id="filter" name="input" placeholder="Insert phrase...">
		<button class="form__button" form="form" type="submit">Filter</button>
	</form>

	<table class="table">
		<tbody class="table__body"></tbody>
	</table>

	<script src="./js/3.js"></script>
</body>
</html>

3 个答案:

答案 0 :(得分:1)

变量inputValue仅保留字段的实际值,并且与该字段分离。

您可以将对字段的引用另存为变量,并按如下所示清除值:

const inp = document.querySelector('.form__input');
inp.value = '';

答案 1 :(得分:1)

let inputValue = document.querySelector('.form__input').value;

此行返回输入的字符串值。 尝试inputValue = '';时,您仅更改了变量'inputValue'的值,而没有更改输入字段的值。

为此,将字段另存为变量,而不是其值,然后更改其值:

let inputField = document.querySelector('.form__input');
const filtered = initValues.filter(el => el.toLowerCase().includes(inputValue.toLowerCase()));
if (filtered) {
    inputValue ? tableCreation(filtered) : tableCreation(initValues);
}
inputField.value = '';

答案 2 :(得分:1)

您已经仅从输入值中获取了值。但是您无法更改该值,因此  也获得dom实例 请将此代码更改为

const filterTable = event => {
    event.preventDefault();
    let inputElement = document.querySelector('.form__input'),
        inputValue = inputElement.value;
    const filtered = initValues.filter(el => el.toLowerCase().includes(inputValue.toLowerCase()));
    if (filtered) {
        inputValue ? tableCreation(filtered) : tableCreation(initValues);
    }
    inputElement.value = '';
};