艾博恐惧症 SPOJ

本文关键字:SPOJ 恐惧症 | 更新日期: 2023-09-27 18:25:45

我正在尝试解决这个练习。

我有一个解决方案,如下所示,但我收到Time Limit Exceeded错误。我想了解为什么这段代码效率低下,因为我正在做记忆。

namespace Aibohphobia
{
    class Test
    {
        static Dictionary<string, int> memo = new Dictionary<string, int>();
        static int Main(string[] args)
        {
            string num = Console.ReadLine();
            int N = int.Parse(num);
            string input = string.Empty;
            for (int i = 0; i < N; i++)
            {
                memo = new Dictionary<string, int>();
                input = Console.ReadLine();
                int count = new Test().insert(input, 0, input.Length - 1);
                Console.WriteLine(count);
            }
            return 0;
        }
        int insert(string input, int start, int end)
        {
            int count = 0;
            var key = start + "_" + end;
            if (start >= end)
                return 0;            
            if (memo.ContainsKey(key))
                return memo[key];
            if (input[start] == input[end])
            {
                count += insert(input, start + 1, end - 1);
            }
            else
            {
                int countLeft = 1 + insert(input, start + 1, end);
                int countRight = 1 + insert(input, start, end - 1);
                count += Math.Min(countLeft, countRight);
            }
            memo.Add(key, count);
            return count;
        }    
  }
}

艾博恐惧症 SPOJ

你正在用一个Dictionary<string, int>记忆你的结果,这本质上是一个哈希表。这意味着每次要检索给定键的值时,都必须计算键的哈希函数。

在这种情况下,由于您的密钥类型是 string ,哈希函数的评估肯定会减慢您的执行速度。我建议您记住 DP 的值 int[][] matrix ,因此您可以更快地检索所需的值。

为了实现这一目标,您将弄清楚如何将strings映射到ints 。您可以在此处找到有关如何执行此操作的简短教程:用于竞争性编程的字符串哈希,作者在其中解释了简单的字符串哈希技术。