2018年の更新
これは非常に人気のある回答なので、プラグインとしてjQueryにtextnodeセレクターを追加することで、少し更新して美化することにしました。
以下のスニペットでは、すべての(そして唯一の)textNodeを取得する新しいjQuery関数を定義していることがわかります。この関数は、たとえば関数と連鎖させることもできfirst()
ます。スペース、タブ、改行などもテキストノードとして認識されるため、テキストノードでトリミングを行い、トリミング後に空でないことを確認します。それらのノードも必要な場合は、jQuery関数のifステートメントから単純に削除します。
最初のテキストノードを置き換える方法とすべてのテキストノードを置き換える方法の例を追加しました。
このアプローチにより、コードが読みやすくなり、コードを複数回、さまざまな目的で使用しやすくなります。
必要に応じて、Update 2017(adrach)も引き続き機能します。
jQuery拡張として
//Add a jQuery extension so it can be used on any jQuery object
jQuery.fn.textNodes = function() {
return this.contents().filter(function() {
return (this.nodeType === Node.TEXT_NODE && this.nodeValue.trim() !== "");
});
}
//Use the jQuery extension
$(document).ready(function(){
$('#replaceAll').on('click', () => {
$('#testSubject').textNodes().replaceWith('Replaced');
});
$('#replaceFirst').on('click', () => {
$('#testSubject').textNodes().first().replaceWith('Replaced First');
});
});
p {
margin: 0px;
}
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<div id="testSubject">
**text to change**
<p>text that should not change</p>
<p>text that should not change</p>
**also text to change**
<p>text that should not change</p>
<p>text that should not change</p>
**last text to change**
</div>
<button id="replaceFirst">Replace First</button>
<button id="replaceAll">Replace All</button>
JavaScript(ES)同等
//Add a new function to the HTMLElement object so it cna be used on any HTMLElement
HTMLElement.prototype.textNodes = function() {
return [...this.childNodes].filter((node) => {
return (node.nodeType === Node.TEXT_NODE && node.nodeValue.trim() !== "");
});
}
//Use the new HTMLElement function
document.addEventListener('DOMContentLoaded', () => {
document.querySelector('#replaceAll').addEventListener('click', () => {
document.querySelector('#testSubject').textNodes().forEach((node) => {
node.textContent = 'Replaced';
});
});
document.querySelector('#replaceFirst').addEventListener('click', function() {
document.querySelector('#testSubject').textNodes()[0].textContent = 'Replaced First';
});
});
p {
margin: 0px;
}
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<div id="testSubject">
**text to change**
<p>text that should not change</p>
<p>text that should not change</p>
**also text to change**
<p>text that should not change</p>
<p>text that should not change</p>
**last text to change**
</div>
<button id="replaceFirst">Replace First</button>
<button id="replaceAll">Replace All</button>
2017年更新(adrach):
これが投稿されてから、いくつかの変更があったようです。こちらが更新されたバージョンです
$("div").contents().filter(function(){ return this.nodeType == 3; }).first().replaceWith("change text");
元の回答(現在のバージョンでは機能しません)
$("div").contents().filter(function(){ return this.nodeType == 3; })
.filter(':first').text("change text");
ソース:http : //api.jquery.com/contents/