1

我是 LINQ 的新手,我想编写 linq 来获取和之间的 list <usertypeclass>list <string>

我有课

public class Hashtable 
        {
             public string Id
            {
                get;
                set;
            }
             public string MediaType 
            {
                get;
                set;
            }
             public string Href 
            {
                get;
                set;
            }
        }

然后我使用这个类在列表中添加值

var list = new List<Hashtable>
{
 new Hashtable { Id = "x001.xhtml", MediaType = "application/xhtm+xml", Href = "text/001.xhtml" },
 new Hashtable { Id = "x002.xhtml", MediaType = "application/xhtm+xml", Href = "text/002.xhtml" },
 new Hashtable { Id = "x003.xhtml", MediaType = "application/xhtm+xml", Href = "text/003.xhtml" }
};

我有另一个列表,其中包含以下值:

List<string> lstrhtml = new List<string>();
lstrhtml.Add("contents.xhtml");
lstrhtml.Add("x003.xhtml");
lstrhtml.Add("x002.xhtml");
lstrhtml.Add("x001.xhtml");

现在我需要正确的 linq 以将两个列表与 id 值匹配,即例如 x003.xhtml 并提取 href 值,到目前为止我尝试的是:

var val=list.Where(o=>lstrhtml.Contains(o["Id"].ToString()))
             .Select(o=>o["Href"]).ToList();

但它给了我错误....请回复并建议我哪里出错了

提前致谢

4

2 回答 2

3

听起来你只需要一个加入:

var query = from id in lstrhtml
            join hashtable in list on id equals hashtable.Id
            select hashtable.href;

foreach (string href in query)
{
    Console.WriteLine(href);
}

(旁注:Hashtable如果可能的话,我个人会避免使用这个名字,因为很多读者System.Collections.Hashtable看到它时会想到。)

于 2012-06-02T06:53:30.013 回答
0

基本上你需要在两个列表之间进行内部连接将为你完成任务而不是包含

var query =
from h in listofHashtable
join s in lstrhtml 
on h.Id  equals s
select h.Href;
于 2012-06-02T06:52:58.900 回答