-4

我有一个包含以下项目的列表:

捆绑/发布/美国---NL
捆绑/发布/英国---美国

我想在列表项中搜索子字符串(“US”或“UK”)。

var testVar = (from r in ghh
    where (r.Substring(r.LastIndexOf('/') + 1, 
                       (r.Length - (r.IndexOf("---")    + 3)))) == "US"
    select r).ToList();

if ( testVar != null)
{
    //print item is present
}

ghh是列表名称)

testVar总是表现出来null。为什么?

4

3 回答 3

1

尝试另一种方式:

testVar.Where(x => {
    var country = x.Split('/').Last()
              .Split(new[] { "---" }, StringSplitOptions.RemoveEmptyEntries)
              .First();

    return country == "US" || country == "UK";
}).ToList();
于 2012-09-19T10:55:32.793 回答
1

为什么不直接使用(假设列表只是一个字符串列表):

 var items = (from r in ghh where r.Contains("UK") || r.Contains("US") select r).ToList();
于 2012-09-19T10:49:17.177 回答
1

没有情况testVar会在哪里null

这是一些代码来说明这一点。请务必在运行前激活输出视图... 查看 -> 输出

唯一可能发生的事情是 linq 查询稍后执行并且您得到一个空异常,因为您的 ghh 在 linq 尝试查询它时为空。Linq 不一定会立即执行。

using System;
using System.Collections.Generic;
using System.Linq;
using System.Diagnostics;

namespace ConsoleApplication1
{
    class Program
    {
        static void Main(string[] args)
        {
            CallAsExpected();
            CallWithNull();
            CallNoHits();
            Console.WriteLine("Look at Debug Output");
            Console.ReadKey();
        }

        private static void CallNoHits()
        {
            TryCall(new List<string> {
                "UK foo",
                "DE bar"
            });
        }

        private static void CallWithNull()
        {
            TryCall(null);
        }

        private static void CallAsExpected()
        {
            TryCall(new List<string> {
                "US woohooo",
                "UK foo",
                "DE bar",
                "US second",
                "US third"
            });
        }

        private static void TryCall(List<String> ghh)
        {
            try
            {
                TestMethod(ghh);
            }
            catch (Exception e)
            {
                Debug.WriteLine(e);
            }
        }

        private static void TestMethod(List<String> ghh)
        {
            if (ghh == null) Debug.WriteLine("ghh was null");

            var testVar = (from r in ghh
                           where (r.Contains("US"))
                           select r);

            Debug.WriteLine(String.Format("Items Found: {0}", testVar.Count()));

            if (testVar == null) Debug.WriteLine("testVar was null");

            foreach (String item in testVar)
            {
                Debug.WriteLine(item);
            }
        }
    }
}
于 2012-09-19T11:16:15.310 回答