[C#] HTML 민첩성 팩을 사용하는 방법

HTML 민첩성 팩을 어떻게 사용 합니까?

내 XHTML 문서가 완전히 유효하지 않습니다. 그래서 제가 사용하고 싶었습니다. 프로젝트에서 어떻게 사용합니까? 내 프로젝트는 C #에 있습니다.



답변

먼저 HTMLAgilityPack nuget 패키지를 프로젝트에 설치하십시오 .

그런 다음 예를 들면 다음과 같습니다.

HtmlAgilityPack.HtmlDocument htmlDoc = new HtmlAgilityPack.HtmlDocument();

// There are various options, set as needed
htmlDoc.OptionFixNestedTags=true;

// filePath is a path to a file containing the html
htmlDoc.Load(filePath);

// Use:  htmlDoc.LoadHtml(xmlString);  to load from a string (was htmlDoc.LoadXML(xmlString)

// ParseErrors is an ArrayList containing any errors from the Load statement
if (htmlDoc.ParseErrors != null && htmlDoc.ParseErrors.Count() > 0)
{
    // Handle any parse errors as required

}
else
{

    if (htmlDoc.DocumentNode != null)
    {
        HtmlAgilityPack.HtmlNode bodyNode = htmlDoc.DocumentNode.SelectSingleNode("//body");

        if (bodyNode != null)
        {
            // Do something with bodyNode
        }
    }
}

(NB :이 코드는 예제 일 뿐이며 반드시 최선의 방법 일 필요는 없습니다. 자신의 응용 프로그램에서 맹목적으로 사용하지 마십시오.)

HtmlDocument.Load()메서드는 .NET 프레임 워크의 다른 스트림 지향 클래스와 통합하는 데 매우 유용한 스트림도 허용합니다. HtmlEntity.DeEntitize()HTML 엔티티를 올바르게 처리 하는 또 다른 유용한 방법입니다. (매튜 감사합니다)

HtmlDocument그리고 HtmlNode 당신이 가장 많이 사용하는 것이다 클래스입니다. XML 파서와 유사하게 XPath 표현식을 허용하는 selectSingleNode 및 selectNodes 메소드를 제공합니다.

HtmlDocument.Option?????? 부울 속성에 주의하십시오 . 이것 LoadLoadXML메소드가 HTML / XHTML을 처리 하는 방법을 제어합니다 .

HtmlAgilityPack.chm이라는 컴파일 된 도움말 파일도 있으며 각 개체에 대한 완전한 참조가 있습니다. 이것은 일반적으로 솔루션의 기본 폴더에 있습니다.


답변

이것이 도움이 될지 모르겠지만 기본 사항을 소개하는 몇 가지 기사를 작성했습니다.

다음 기사는 95 % 완료되었습니다. 제가 작성한 코드의 마지막 몇 부분에 대한 설명 만 작성하면됩니다. 관심이 있으시면 게시 할 때 여기에 게시하는 것을 잊지 마십시오.


답변

HtmlAgilityPack은 XPath 구문을 사용하며 많은 사람들이 문서화가 잘못되었다고 주장하지만이 XPath 설명서의 도움을 받아 사용하는 데 아무런 문제가 없었습니다. https://www.w3schools.com/xml/xpath_syntax.asp

파싱하려면

<h2>
  <a href="">Jack</a>
</h2>
<ul>
  <li class="tel">
    <a href="">81 75 53 60</a>
  </li>
</ul>
<h2>
  <a href="">Roy</a>
</h2>
<ul>
  <li class="tel">
    <a href="">44 52 16 87</a>
  </li>
</ul>

나는 이걸했다:

string url = "http://website.com";
var Webget = new HtmlWeb();
var doc = Webget.Load(url);
foreach (HtmlNode node in doc.DocumentNode.SelectNodes("//h2//a"))
{
  names.Add(node.ChildNodes[0].InnerHtml);
}
foreach (HtmlNode node in doc.DocumentNode.SelectNodes("//li[@class='tel']//a"))
{
  phones.Add(node.ChildNodes[0].InnerHtml);
}


답변

주요 HTMLAgilityPack 관련 코드는 다음과 같습니다

using System;
using System.Net;
using System.Web;
using System.Web.Services;
using System.Web.Script.Services;
using System.Text.RegularExpressions;
using HtmlAgilityPack;

namespace GetMetaData
{
    /// <summary>
    /// Summary description for MetaDataWebService
    /// </summary>
    [WebService(Namespace = "http://tempuri.org/")]
    [WebServiceBinding(ConformsTo = WsiProfiles.BasicProfile1_1)]
    [System.ComponentModel.ToolboxItem(false)]
    // To allow this Web Service to be called from script, using ASP.NET AJAX, uncomment the following line.
    [System.Web.Script.Services.ScriptService]
    public class MetaDataWebService: System.Web.Services.WebService
    {
        [WebMethod]
        [ScriptMethod(UseHttpGet = false)]
        public MetaData GetMetaData(string url)
        {
            MetaData objMetaData = new MetaData();

            //Get Title
            WebClient client = new WebClient();
            string sourceUrl = client.DownloadString(url);

            objMetaData.PageTitle = Regex.Match(sourceUrl, @
            "\<title\b[^>]*\>\s*(?<Title>[\s\S]*?)\</title\>", RegexOptions.IgnoreCase).Groups["Title"].Value;

            //Method to get Meta Tags
            objMetaData.MetaDescription = GetMetaDescription(url);
            return objMetaData;
        }

        private string GetMetaDescription(string url)
        {
            string description = string.Empty;

            //Get Meta Tags
            var webGet = new HtmlWeb();
            var document = webGet.Load(url);
            var metaTags = document.DocumentNode.SelectNodes("//meta");

            if (metaTags != null)
            {
                foreach(var tag in metaTags)
                {
                    if (tag.Attributes["name"] != null && tag.Attributes["content"] != null && tag.Attributes["name"].Value.ToLower() == "description")
                    {
                        description = tag.Attributes["content"].Value;
                    }
                }
            }
            else
            {
                description = string.Empty;
            }
            return description;
        }
    }
}


답변

    public string HtmlAgi(string url, string key)
    {

        var Webget = new HtmlWeb();
        var doc = Webget.Load(url);
        HtmlNode ourNode = doc.DocumentNode.SelectSingleNode(string.Format("//meta[@name='{0}']", key));

        if (ourNode != null)
        {


                return ourNode.GetAttributeValue("content", "");

        }
        else
        {
            return "not fount";
        }

    }


답변

시작하기-HTML 민첩성 팩

// From File
var doc = new HtmlDocument();
doc.Load(filePath);

// From String
var doc = new HtmlDocument();
doc.LoadHtml(html);

// From Web
var url = "http://html-agility-pack.net/";
var web = new HtmlWeb();
var doc = web.Load(url);


답변

이 시도

string htmlBody = ParseHmlBody(dtViewDetails.Rows[0]["Body"].ToString());

private string ParseHmlBody(string html)
        {
            string body = string.Empty;
            try
            {
                var htmlDoc = new HtmlDocument();
                htmlDoc.LoadHtml(html);
                var htmlBody = htmlDoc.DocumentNode.SelectSingleNode("//body");
                body = htmlBody.OuterHtml;
            }
            catch (Exception ex)
            {

                dalPendingOrders.LogMessage("Error in ParseHmlBody" + ex.Message);
            }
            return body;
        }