1

这是一个很小的问题,在前面的问题中几乎已经解决了。

问题是现在我有很多评论,但这并不完全符合我的需要。我得到了一系列评论内容。我需要在两者之间获取 html。

说我有类似的东西:

<p>some html here<p>
<!-- begin mark -->
<p>Html i'm interested at.</p>
<p>More html i want to pull out of the document.</p>
<!-- end mark -->
<!-- begin mark -->
<p>This will be pulled later, but we will come to it when I get to pull the previous section.</p>
<!-- end mark -->

在回复中,他们指出了关于导航 html 树的糟糕解释,但我没有找到并回答我的问题。

有任何想法吗?谢谢。

PS。如果有人指出我一种优雅的方式在文档中重复该过程几次,那么额外的荣誉,因为我可能会让它工作,但很糟糕:D

编辑添加:

根据 Martijn Pieters 提供的信息,我必须将comments使用上述代码获得的数组传递给他设计的生成器函数。所以这没有错误:

for elem in comments:
    htmlcode = allnext(comments)
    print htmlcode

我认为现在可以在遍历数组之前操作 htmlcode 内容。

4

1 回答 1

2

您可以使用.next_sibling指针来获取下一个元素。您可以使用它来查找评论后的所有内容,最多但不包括另一条评论:

from bs4 import Comment

def allnext(comment):
    curr = comment
    while True:
        curr = curr.next_sibling
        if isinstance(curr, Comment):
            return
        yield curr

这是一个生成器函数,您可以使用它来迭代所有“下一个”元素:

for elem in allnext(comment):
    print elem

或者您可以使用它来创建所有下一个元素的列表:

elems = list(allnext(comment))

您的示例对于 BeautifulSoup 来说有点太小了,它会将每个评论包装在一个<p>标签中,但是如果我们使用您原始目标中的一个片段,www.gamespot.com它就可以了:

<div class="ad_wrap ad_wrap_dart"><div style="text-align:center;"><img alt="Advertisement" src="http://ads.com.com/Ads/common/advertisement.gif" style="display:block;height:10px;width:120px;margin:0 auto;"/></div>
<!-- start of gamespot gpt ad tag -->
<div id="div-gpt-ad-1359295192-lb-top">
<script type="text/javascript">
        googletag.display('div-gpt-ad-1359295192-lb-top');
    </script>
<noscript>
<a href="http://pubads.g.doubleclick.net/gampad/jump?iu=/6975/row/gamespot.com/home&amp;sz=728x90|970x66|970x150|970x250|960x150&amp;t=pos%3Dtop%26platform%3Ddesktop%26&amp;c=1359295192">
<img src="http://pubads.g.doubleclick.net/gampad/ad?iu=/6975/row/gamespot.com/home&amp;sz=728x90|970x66|970x150|970x250|960x150&amp;t=pos%3Dtop%26platform%3Ddesktop%26&amp;c=1359295192"/>
</a>
</noscript>
</div>
<!-- end of gamespot gpt tag -->
</div>

如果comment是对该片段中第一条评论的引用,allnext()生成器会给我:

>>> list(allnext(comment))
[u'\n', <div id="div-gpt-ad-1359295192-lb-top">
<script type="text/javascript">
        googletag.display('div-gpt-ad-1359295192-lb-top');
    </script>
<noscript>
<a href="http://pubads.g.doubleclick.net/gampad/jump?iu=/6975/row/gamespot.com/home&amp;sz=728x90|970x66|970x150|970x250|960x150&amp;t=pos%3Dtop%26platform%3Ddesktop%26&amp;c=1359295192">
<img src="http://pubads.g.doubleclick.net/gampad/ad?iu=/6975/row/gamespot.com/home&amp;sz=728x90|970x66|970x150|970x250|960x150&amp;t=pos%3Dtop%26platform%3Ddesktop%26&amp;c=1359295192"/>
</a>
</noscript>
</div>, u'\n']
于 2013-01-27T13:53:43.340 回答