web-dev-qa-db-ja.com

jQueryオブジェクトからセレクターを取得する方法

_$("*").click(function(){
    $(this); // how can I get selector from $(this) ?
});
_

$(this)からセレクターを取得するへの簡単な方法はありますか?セレクターで要素を選択する方法はありますが、要素からセレクターを取得するのはどうですか

105
Fidilip

それでは、質問の上のコメントで、asker Fidilipは、彼/彼女が実際に求めているのは、現在の要素へのパスを取得することだと言っています。

DOMの祖先ツリーを「登り」、クリックされたアイテムのidまたはclass属性を含むかなり特定のセレクターを構築するスクリプトを次に示します。

jsFiddleで動作する様子をご覧ください: http://jsfiddle.net/Jkj2n/209/

<!DOCTYPE html>
<html>
<head>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.0/jquery.min.js"></script>
<script>
    $(function() {
        $("*").on("click", function(e) {
          e.preventDefault();
          var selector = $(this)
            .parents()
            .map(function() { return this.tagName; })
            .get()
            .reverse()
            .concat([this.nodeName])
            .join(">");

          var id = $(this).attr("id");
          if (id) { 
            selector += "#"+ id;
          }

          var classNames = $(this).attr("class");
          if (classNames) {
            selector += "." + $.trim(classNames).replace(/\s/gi, ".");
          }

          alert(selector);
      });
    });
    </script>
</head>
<body>
<h1><span>I love</span> jQuery</h1>
<div>
  <p>It's the <strong>BEST THING</strong> ever</p>
  <button id="myButton">Button test</button>
</div>
<ul>
  <li>Item one
    <ul>
      <li id="sub2" >Sub one</li>
      <li id="sub2" class="subitem otherclass">Sub two</li>
    </ul>
  </li>
</ul>
</body>
</html>

たとえば、下のHTMLで2番目のリストのネストされたリスト項目をクリックすると、次の結果が得られます。

HTML>BODY>UL>LI>UL>LI#sub2.subitem.otherclass

55
jessegavin

::警告::
。selectorはバージョン1.7で非推奨になり、1.9で削除されました

JQueryオブジェクトには、昨日コードを掘り下げたときに見たセレクタープロパティがあります。それがドキュメントで定義されているかどうかはわかりません(将来の校正のため)。しかし、それは機能します!

_$('*').selector // returns *
_

Edit:イベント内でセレクターを見つけた場合、その情報は要素ではなくイベント自体の一部であることが理想的です。さまざまなセレクターを通じて割り当てられた複数のクリックイベント。解決策は、bind()click()などにラッパーを使用して、イベントを直接追加する代わりに追加することです。

_jQuery.fn.addEvent = function(type, handler) {
    this.bind(type, {'selector': this.selector}, handler);
};
_

セレクターは、selectorという名前のオブジェクトのプロパティとして渡されます。 _event.data.selector_としてアクセスします。

いくつかのマークアップで試してみましょう( http://jsfiddle.net/DFh7z/ ):

_<p class='info'>some text and <a>a link</a></p>​

$('p a').addEvent('click', function(event) {
    alert(event.data.selector); // p a
});
_

免責事項live()イベントと同様に、DOMトラバーサルメソッドが使用される場合、セレクタープロパティが無効になる可能性があることに注意してください。

_<div><a>a link</a></div>
_

liveはセレクタプロパティに依存しているため、以下のコードは機能しません。この場合はa.parent()-無効なセレクタです。

_$('a').parent().live(function() { alert('something'); });
_

addEventメソッドが起動しますが、間違ったセレクタ-a.parent()が表示されます。

29
Anurag

@drzausと共同で、次のjQueryプラグインを作成しました。

jQuery.getSelector

!(function ($, undefined) {
    /// adapted http://jsfiddle.net/drzaus/Hgjfh/5/

    var get_selector = function (element) {
        var pieces = [];

        for (; element && element.tagName !== undefined; element = element.parentNode) {
            if (element.className) {
                var classes = element.className.split(' ');
                for (var i in classes) {
                    if (classes.hasOwnProperty(i) && classes[i]) {
                        pieces.unshift(classes[i]);
                        pieces.unshift('.');
                    }
                }
            }
            if (element.id && !/\s/.test(element.id)) {
                pieces.unshift(element.id);
                pieces.unshift('#');
            }
            pieces.unshift(element.tagName);
            pieces.unshift(' > ');
        }

        return pieces.slice(1).join('');
    };

    $.fn.getSelector = function (only_one) {
        if (true === only_one) {
            return get_selector(this[0]);
        } else {
            return $.map(this, function (el) {
                return get_selector(el);
            });
        }
    };

})(window.jQuery);

縮小されたJavascript

// http://stackoverflow.com/questions/2420970/how-can-i-get-selector-from-jquery-object/15623322#15623322
!function(e,t){var n=function(e){var n=[];for(;e&&e.tagName!==t;e=e.parentNode){if(e.className){var r=e.className.split(" ");for(var i in r){if(r.hasOwnProperty(i)&&r[i]){n.unshift(r[i]);n.unshift(".")}}}if(e.id&&!/\s/.test(e.id)){n.unshift(e.id);n.unshift("#")}n.unshift(e.tagName);n.unshift(" > ")}return n.slice(1).join("")};e.fn.getSelector=function(t){if(true===t){return n(this[0])}else{return e.map(this,function(e){return n(e)})}}}(window.jQuery)

使用法と落とし穴

<html>
    <head>...</head>
    <body>
        <div id="sidebar">
            <ul>
                <li>
                    <a href="/" id="home">Home</a>
                </li>
            </ul>
        </div>
        <div id="main">
            <h1 id="title">Welcome</h1>
        </div>

        <script type="text/javascript">

            // Simple use case
            $('#main').getSelector();           // => 'HTML > BODY > DIV#main'

            // If there are multiple matches then an array will be returned
            $('body > div').getSelector();      // => ['HTML > BODY > DIV#main', 'HTML > BODY > DIV#sidebar']

            // Passing true to the method will cause it to return the selector for the first match
            $('body > div').getSelector(true);  // => 'HTML > BODY > DIV#main'

        </script>
    </body>
</html>

Fiddle w/QUnitテスト

http://jsfiddle.net/CALY5/5/

21
Will

これを試しましたか?

 $("*").click(function(){
    $(this).attr("id"); 
 });
5
abhilashv

JQueryプラグインをリリースしました: jQuery Selectorator 、このようなセレクターを取得できます。

$("*").on("click", function(){
  alert($(this).getSelector().join("\n"));
  return false;
});
2
ngs

これを試して:

$("*").click(function(event){
    console.log($(event.handleObj.selector));
 });
2
AmazingDayToday

このように$関数の上にレイヤーを追加するだけです:

$ = (function(jQ) { 
        return (function() { 
                var fnc = jQ.apply(this,arguments);
                fnc.selector = (arguments.length>0)?arguments[0]:null;
                return fnc; 
        });
})($);

今、あなたはのようなことをすることができます

$( "a")。selector
2
Albert Horta

http://www.selectorgadget.com/ は、このユースケース用に明示的に設計されたブックマークレットです。

そうは言っても、CSSセレクターを自分で学ぶ必要があるという点で、他のほとんどの人々に同意します。コードでセレクターを生成しようとすることは持続可能ではありません。 :)

1
Paul Irish

これにより、クリックされたHTML要素のセレクタパスを取得できます。

 $("*").on("click", function() {

    let selectorPath = $(this).parents().map(function () {return this.tagName;}).get().reverse().join("->");

    alert(selectorPath);

    return false;

});
1
Vivek Kumar

上記のソリューションの後でも複数の要素を取得していましたので、さらにピンポイントのdom要素のためにdds1024の作業を拡張しました。

例えばDIV:nth-​​child(1)DIV:nth-​​child(3)DIV:nth-​​child(1)記事:nth-​​child(1)DIV:nth-​​child(1)DIV:nth-​​child(8)DIV: nth-child(2)DIV:nth-​​child(1)DIV:nth-​​child(2)DIV:nth-​​child(1)H4:nth-​​child(2)

コード:

function getSelector(el)
{
    var $el = jQuery(el);

    var selector = $el.parents(":not(html,body)")
                .map(function() { 
                                    var i = jQuery(this).index(); 
                                    i_str = ''; 

                                    if (typeof i != 'undefined') 
                                    {
                                        i = i + 1;
                                        i_str += ":nth-child(" + i + ")";
                                    }

                                    return this.tagName + i_str; 
                                })
                .get().reverse().join(" ");

    if (selector) {
        selector += " "+ $el[0].nodeName;
    }

    var index = $el.index();
    if (typeof index != 'undefined')  {
        index = index + 1;
        selector += ":nth-child(" + index + ")";
    }

    return selector;
}
1
Azghanvi

@jessegavinの修正にいくつか修正を追加しました。

要素にIDがある場合、これはすぐに戻ります。また、要素にid、クラス、または名前がない場合に備えて、name属性チェックとn番目の子セレクターを追加しました。

ページ上に複数のフォームがあり、同様の入力がある場合、名前にはスコープが必要な場合がありますが、まだ処理していません。

function getSelector(el){
    var $el = $(el);

    var id = $el.attr("id");
    if (id) { //"should" only be one of these if theres an ID
        return "#"+ id;
    }

    var selector = $el.parents()
                .map(function() { return this.tagName; })
                .get().reverse().join(" ");

    if (selector) {
        selector += " "+ $el[0].nodeName;
    }

    var classNames = $el.attr("class");
    if (classNames) {
        selector += "." + $.trim(classNames).replace(/\s/gi, ".");
    }

    var name = $el.attr('name');
    if (name) {
        selector += "[name='" + name + "']";
    }
    if (!name){
        var index = $el.index();
        if (index) {
            index = index + 1;
            selector += ":nth-child(" + index + ")";
        }
    }
    return selector;
}
1
Dustin

さて、この単純なjQueryプラグインを作成しました。

これはidまたはクラス名をチェックし、できるだけ正確なセレクターを提供しようとします。

jQuery.fn.getSelector = function() {

    if ($(this).attr('id')) {
        return '#' + $(this).attr('id');
    }

    if ($(this).prop("tagName").toLowerCase() == 'body')    return 'body';

    var myOwn = $(this).attr('class');
    if (!myOwn) {
        myOwn = '>' + $(this).prop("tagName");
    } else {
        myOwn = '.' + myOwn.split(' ').join('.');
    }

    return $(this).parent().getSelector() + ' ' + myOwn;
}
1
Codemole

クリックされた現在のタグの名前を取得しようとしていますか?

もしそうなら、これを行う..

$("*").click(function(){
    alert($(this)[0].nodeName);
});

「セレクタ」を実際に取得することはできません。あなたの場合の「セレクタ」は*

0
jessegavin

ここにあるいくつかの答えを考慮して、これを提案したいと思います:

function getSelectorFromElement($el) {
  if (!$el || !$el.length) {
    return ;
  }

  function _getChildSelector(index) {
    if (typeof index === 'undefined') {
      return '';
    }

    index = index + 1;
    return ':nth-child(' + index + ')';
  }

  function _getIdAndClassNames($el) {
    var selector = '';

    // attach id if exists
    var elId = $el.attr('id');
    if(elId){
      selector += '#' + elId;
    }

    // attach class names if exists
    var classNames = $el.attr('class');
    if(classNames){
      selector += '.' + classNames.replace(/^\s+|\s+$/g, '').replace(/\s/gi, '.');
    }

    return selector;
  }

  // get all parents siblings index and element's tag name,
  // except html and body elements
  var selector = $el.parents(':not(html,body)')
    .map(function() {
      var parentIndex = $(this).index();

      return this.tagName + _getChildSelector(parentIndex);
    })
    .get()
    .reverse()
    .join(' ');

  if (selector) {
    // get node name from the element itself
    selector += ' ' + $el[0].nodeName +
      // get child selector from element ifself
      _getChildSelector($el.index());
  }

  selector += _getIdAndClassNames($el);

  return selector;
}

JQueryプラグインの作成に役立つかもしれませんか?

0
p1nox

私がそれを必要として、同じもののためのJavascriptコード、いずれかが必要な場合に。これは、上記で選択した回答のみの翻訳です。

    <script type="text/javascript">

function getAllParents(element){
    var a = element;
    var els = [];
    while (a && a.nodeName != "#document") {
        els.unshift(a.nodeName);
        a = a.parentNode;
    }
    return els.join(" ");
}

function getJquerySelector(element){

    var selector = getAllParents(element);
    /* if(selector){
        selector += " " + element.nodeName;
    } */
    var id = element.getAttribute("id");
    if(id){
        selector += "#" + id;
    }
    var classNames = element.getAttribute("class");
    if(classNames){
        selector += "." + classNames.replace(/^\s+|\s+$/g, '').replace(/\s/gi, ".");
    }
    console.log(selector);
    alert(selector);
    return selector;
}
</script>
0
jaipster

ありがとうp1nox!

私の問題は、フォームの一部を変更するajax呼び出しに焦点を戻すことでした。

$.ajax({  url : "ajax_invite_load.php",
        async : true,
         type : 'POST',
         data : ...
     dataType : 'html',
      success : function(html, statut) {
                    var focus = $(document.activeElement).getSelector();
                    $td_left.html(html);
                    $(focus).focus();
                }
});

関数をjQueryプラグインにカプセル化する必要がありました。

    !(function ($, undefined) {

    $.fn.getSelector = function () {
      if (!this || !this.length) {
        return ;
      }

      function _getChildSelector(index) {
        if (typeof index === 'undefined') {
          return '';
        }

        index = index + 1;
        return ':nth-child(' + index + ')';
      }

      function _getIdAndClassNames($el) {
        var selector = '';

        // attach id if exists
        var elId = $el.attr('id');
        if(elId){
          selector += '#' + elId;
        }

        // attach class names if exists
        var classNames = $el.attr('class');
        if(classNames){
          selector += '.' + classNames.replace(/^\s+|\s+$/g, '').replace(/\s/gi, '.');
        }

        return selector;
      }

      // get all parents siblings index and element's tag name,
      // except html and body elements
      var selector = this.parents(':not(html,body)')
        .map(function() {
          var parentIndex = $(this).index();

          return this.tagName + _getChildSelector(parentIndex);
        })
        .get()
        .reverse()
        .join(' ');

      if (selector) {
        // get node name from the element itself
        selector += ' ' + this[0].nodeName +
          // get child selector from element ifself
          _getChildSelector(this.index());
      }

      selector += _getIdAndClassNames(this);

      return selector;
    }

})(window.jQuery);
0
Patrick