首页 程序笔记 .net面试常见算法题

.net面试常见算法题

以下是一些常见的 .NET 面试算法题,这些问题涵盖了不同难度级别,可以帮助你准备面试时的算法部分:

反转字符串

题目:编写一个函数,将输入的字符串反转过来。

public string ReverseString(string s) {
    char[] charArray = s.ToCharArray();
    Array.Reverse(charArray);
    return new string(charArray);
}

判断回文字符串

题目:编写一个函数,判断一个给定的字符串是否是回文字符串(正着读和反着读都一样)。

public bool IsPalindrome(string s) {
    s = Regex.Replace(s, "[^a-zA-Z0-9]", "").ToLower();
    return s == new string(s.Reverse().ToArray());
}

找出两个数组的交集

题目:给定两个整数数组,编写一个函数来计算它们的交集。

public static int[] FindIntersection(int[] nums1, int[] nums2)
    {
        HashSet<int> set = new HashSet<int>();
        List<int> intersection = new List<int>();

        foreach (int num in nums1)
        {
            set.Add(num);
        }

        foreach (int num in nums2)
        {
            if (set.Contains(num))
            {
                intersection.Add(num);
                set.Remove(num); // To avoid duplicates in the result
            }
        }

        return intersection.ToArray();
    }

判断是否是有效的括号序列

题目:给定一个只包括 '('、')'、'{'、'}'、'[' 和 ']' 的字符串,编写一个函数来判断字符串是否有效。

public static bool IsValid(string s)
    {
        Stack<char> stack = new Stack<char>();

        foreach (char c in s)
        {
            if (c == '(' || c == '[' || c == '{')
            {
                stack.Push(c);
            }
            else if (c == ')' && (stack.Count == 0 || stack.Pop() != '('))
            {
                return false;
            }
            else if (c == ']' && (stack.Count == 0 || stack.Pop() != '['))
            {
                return false;
            }
            else if (c == '}' && (stack.Count == 0 || stack.Pop() != '{'))
            {
                return false;
            }
        }

        return stack.Count == 0;
    }

两数之和

题目:给定一个整数数组 nums 和一个目标值 target,在数组中找出和为目标值的两个数的索引。

public int[] TwoSum(int[] nums, int target) {
    Dictionary<int, int> map = new Dictionary<int, int>();
    for (int i = 0; i < nums.Length; i++) {
        int complement = target - nums[i];
        if (map.ContainsKey(complement)) {
            return new int[] { map[complement], i };
        }
        map[nums[i]] = i;
    }
    throw new ArgumentException("No two sum solution");
}

最大子序和

题目:给定一个整数数组 nums,找到一个具有最大和的连续子数组(子数组最少包含一个元素)。

public static int MaxSubArray(int[] nums)
    {
        if (nums.Length == 0) return 0;

        int maxSum = nums[0];
        int currentSum = nums[0];

        for (int i = 1; i < nums.Length; i++)
        {
            currentSum = Math.Max(nums[i], currentSum + nums[i]);
            maxSum = Math.Max(maxSum, currentSum);
        }

        return maxSum;
    }

判断链表是否有环

题目:给定一个链表,判断链表中是否有环。

public class ListNode
{
    public int val;
    public ListNode next;
    public ListNode(int val = 0)
    {
        this.val = val;
        this.next = null;
    }
}

public class LinkedListCycleChecker
{
    public static bool HasCycle(ListNode head)
    {
        if (head == null || head.next == null)
            return false;

        ListNode slow = head;
        ListNode fast = head.next;

        while (slow != fast)
        {
            if (fast == null || fast.next == null)
                return false;

            slow = slow.next;
            fast = fast.next.next;
        }

        return true;
    }
}

class Program
{
    static void Main(string[] args)
    {
        ListNode head1 = new ListNode(3);
        head1.next = new ListNode(2);
        head1.next.next = new ListNode(0);
        head1.next.next.next = new ListNode(-4);
        head1.next.next.next.next = head1.next; // Create a cycle

        ListNode head2 = new ListNode(1);
        head2.next = new ListNode(2);
        head2.next.next = head2; // Create a cycle

        Console.WriteLine(LinkedListCycleChecker.HasCycle(head1)); // true
        Console.WriteLine(LinkedListCycleChecker.HasCycle(head2)); // true
    }
}

合并两个有序链表

题目:将两个有序链表合并为一个新的有序链表。

public class ListNode
{
    public int val;
    public ListNode next;
    public ListNode(int val = 0)
    {
        this.val = val;
        this.next = null;
    }
}

public class MergeSortedLists
{
    public static ListNode Merge(ListNode l1, ListNode l2)
    {
        ListNode dummy = new ListNode(-1);
        ListNode current = dummy;

        while (l1 != null && l2 != null)
        {
            if (l1.val < l2.val)
            {
                current.next = l1;
                l1 = l1.next;
            }
            else
            {
                current.next = l2;
                l2 = l2.next;
            }
            current = current.next;
        }

        if (l1 != null)
            current.next = l1;
        if (l2 != null)
            current.next = l2;

        return dummy.next;
    }
}

搜索旋转排序数组

题目:假设按照升序排序的数组在预先未知的某个点上进行了旋转。编写一个函数来搜索 target。

public static int Search(int[] nums, int target)
    {
        int left = 0;
        int right = nums.Length - 1;

        while (left <= right)
        {
            int mid = left + (right - left) / 2;

            if (nums[mid] == target)
                return mid;

            if (nums[left] <= nums[mid])
            {
                if (nums[left] <= target && target < nums[mid])
                    right = mid - 1;
                else
                    left = mid + 1;
            }
            else
            {
                if (nums[mid] < target && target <= nums[right])
                    left = mid + 1;
                else
                    right = mid - 1;
            }
        }

        return -1;
    }

二叉树的最大深度

题目:给定一个二叉树,找出其最大深度。

public class TreeNode
{
    public int val;
    public TreeNode left;
    public TreeNode right;
    public TreeNode(int val = 0, TreeNode left = null, TreeNode right = null)
    {
        this.val = val;
        this.left = left;
        this.right = right;
    }
}

public class MaxDepthFinder
{
    public static int MaxDepth(TreeNode root)
    {
        if (root == null)
            return 0;

        int leftDepth = MaxDepth(root.left);
        int rightDepth = MaxDepth(root.right);

        return Math.Max(leftDepth, rightDepth) + 1;
    }
}

class Program
{
    static void Main(string[] args)
    {
        TreeNode root = new TreeNode(3);
        root.left = new TreeNode(9);
        root.right = new TreeNode(20);
        root.right.left = new TreeNode(15);
        root.right.right = new TreeNode(7);

        Console.WriteLine(MaxDepthFinder.MaxDepth(root)); // 3
    }
}

有效的括号组合数

题目:给定一个只包含字符 '(' 和 ')' 的字符串,编写一个函数来生成所有可能的有效括号组合。

using System;
using System.Collections.Generic;

public class ParenthesesGenerator
{
    public static IList<string> GenerateParentheses(int n)
    {
        List<string> result = new List<string>();
        GenerateParenthesesHelper(result, "", n, n);
        return result;
    }

    private static void GenerateParenthesesHelper(List<string> result, string current, int leftRemaining, int rightRemaining)
    {
        if (leftRemaining == 0 && rightRemaining == 0)
        {
            result.Add(current);
            return;
        }

        if (leftRemaining > 0)
            GenerateParenthesesHelper(result, current + "(", leftRemaining - 1, rightRemaining);

        if (rightRemaining > leftRemaining)
            GenerateParenthesesHelper(result, current + ")", leftRemaining, rightRemaining - 1);
    }
}

class Program
{
    static void Main(string[] args)
    {
        int n = 3;
        IList<string> combinations = ParenthesesGenerator.GenerateParentheses(n);

        foreach (string combination in combinations)
        {
            Console.WriteLine(combination);
        }
    }
}

全排列

题目:给定一个没有重复数字的序列,返回其所有可能的全排列。

using System;
using System.Collections.Generic;

public class PermutationsGenerator
{
    public static IList<IList<int>> Permute(int[] nums)
    {
        List<IList<int>> result = new List<IList<int>>();
        PermuteHelper(result, new List<int>(), nums);
        return result;
    }

    private static void PermuteHelper(List<IList<int>> result, List<int> current, int[] nums)
    {
        if (current.Count == nums.Length)
        {
            result.Add(new List<int>(current));
            return;
        }

        for (int i = 0; i < nums.Length; i++)
        {
            if (current.Contains(nums[i]))
                continue;

            current.Add(nums[i]);
            PermuteHelper(result, current, nums);
            current.RemoveAt(current.Count - 1);
        }
    }
}

class Program
{
    static void Main(string[] args)
    {
        int[] nums = { 1, 2, 3 };
        IList<IList<int>> permutations = PermutationsGenerator.Permute(nums);

        foreach (var permutation in permutations)
        {
            Console.WriteLine(string.Join(", ", permutation));
        }
    }
}

二叉树的最近公共祖先

题目:给定一个二叉树,找到该树中两个指定节点的最近公共祖先。

using System;

public class TreeNode
{
    public int val;
    public TreeNode left;
    public TreeNode right;
    public TreeNode(int val = 0, TreeNode left = null, TreeNode right = null)
    {
        this.val = val;
        this.left = left;
        this.right = right;
    }
}

public class LowestCommonAncestorFinder
{
    public static TreeNode LowestCommonAncestor(TreeNode root, TreeNode p, TreeNode q)
    {
        if (root == null || root == p || root == q)
            return root;

        TreeNode left = LowestCommonAncestor(root.left, p, q);
        TreeNode right = LowestCommonAncestor(root.right, p, q);

        if (left != null && right != null)
            return root;

        return left != null ? left : right;
    }
}

class Program
{
    static void Main(string[] args)
    {
        TreeNode root = new TreeNode(3);
        root.left = new TreeNode(5);
        root.right = new TreeNode(1);
        root.left.left = new TreeNode(6);
        root.left.right = new TreeNode(2);
        root.right.left = new TreeNode(0);
        root.right.right = new TreeNode(8);
        root.left.right.left = new TreeNode(7);
        root.left.right.right = new TreeNode(4);

        TreeNode p = root.left;
        TreeNode q = root.right;

        TreeNode ancestor = LowestCommonAncestorFinder.LowestCommonAncestor(root, p, q);

        Console.WriteLine("Lowest Common Ancestor: " + ancestor.val); // 3
    }
}

零钱兑换

题目:给定不同面额的硬币 coins 和一个总金额 amount,编写一个函数来计算可以凑成总金额所需的最少的硬币个数。

using System;

public class CoinChangeCalculator
{
    public static int CoinChange(int[] coins, int amount)
    {
        int[] dp = new int[amount + 1];

        for (int i = 1; i <= amount; i++)
        {
            dp[i] = amount + 1; // Initialize to a value larger than amount
            foreach (int coin in coins)
            {
                if (i >= coin)
                    dp[i] = Math.Min(dp[i], dp[i - coin] + 1);
            }
        }

        return dp[amount] > amount ? -1 : dp[amount];
    }
}

class Program
{
    static void Main(string[] args)
    {
        int[] coins = { 1, 2, 5 };
        int amount1 = 11;
        int amount2 = 3;

        Console.WriteLine(CoinChangeCalculator.CoinChange(coins, amount1)); // 3
        Console.WriteLine(CoinChangeCalculator.CoinChange(coins, amount2)); // -1
    }
}

字符串转整数

题目:实现 atoi 函数,将字符串转为整数。

using System;

public class StringToIntegerConverter
{
    public static int Atoi(string str)
    {
        if (string.IsNullOrWhiteSpace(str))
            return 0;

        int index = 0;
        int sign = 1;
        int result = 0;

        // Skip leading spaces
        while (index < str.Length && str[index] == ' ')
            index++;

        // Check for sign
        if (index < str.Length && (str[index] == '+' || str[index] == '-'))
        {
            sign = (str[index] == '-') ? -1 : 1;
            index++;
        }

        // Convert digits
        while (index < str.Length && char.IsDigit(str[index]))
        {
            int digit = str[index] - '0';

            if (result > int.MaxValue / 10 || (result == int.MaxValue / 10 && digit > 7))
                return (sign == 1) ? int.MaxValue : int.MinValue;

            result = result * 10 + digit;
            index++;
        }

        return result * sign;
    }
}

class Program
{
    static void Main(string[] args)
    {
        string str1 = "42";
        string str2 = "   -42";
        string str3 = "4193 with words";
        string str4 = "words and 987";
        string str5 = "-91283472332";

        Console.WriteLine(StringToIntegerConverter.Atoi(str1)); // 42
        Console.WriteLine(StringToIntegerConverter.Atoi(str2)); // -42
        Console.WriteLine(StringToIntegerConverter.Atoi(str3)); // 4193
        Console.WriteLine(StringToIntegerConverter.Atoi(str4)); // 0
        Console.WriteLine(StringToIntegerConverter.Atoi(str5)); // -2147483648
    }
}

这些题目旨在帮助你练习不同类型的算法问题,从而在面试中展示你的问题解决能力和编程技巧。请在准备面试时深入理解每个问题,并尝试用 .NET 编写出解决方案。

站心网

以下是一些常见的 .NET 面试算法题,这些问题涵盖了不同难度级别,可以帮助你准备面试时的算法部分: 反转..

为您推荐

.NET C# 过滤从富文本编辑器html里的Javascript脚本

富文本编辑器在允许用户输入丰富内容的同时,也带来了跨站脚本攻击(XSS)的风险。过滤提交的 HTML 中的 <script> 脚本是防止跨站脚本攻击(XSS)的关键步骤。在 .NET C# 服务端过滤 <script> 脚本主要有以下几种方..

ZLinq:.NET 高性能 LINQ 替代方案及其使用指南

在 .NET 开发中,LINQ(Language Integrated Query)为数据查询提供了简洁且强大的语法。然而,传统的 LINQ 在处理大量数据时可能会引发性能瓶颈,主要由于频繁的内存分配和对象创建。为解决这一问题,Cysharp 团队..

.NET使用AutoMapper简化对象映射

在.NET软件开发中,常常需要将一个对象的数据转换并映射到另一个对象上。​这种手动映射的过程既繁琐又容易出错,影响开发效率和代码可维护性。​为了解决这一问题,AutoMapper应运而生。​什么是 AutoMapper?AutoM..

.NET C# RESTful API交互Refit库使用教程

Refit 是一个 .NET C# 库,它简化了与 RESTful API 的交互。Refit 受到 Square 的 Retrofit 库的启发,它将 REST API 转换为实时接口,允许你以声明方式定义 REST API 调用。Refit 的特点1. 声明式 API 定义:Refit ..

软件产品开发中常见的10个问题及处理方法

常见的10个问题#产品开发中常见的10个问题思维导图需求相关#1. 需求不明确#在日常工作中,需求来源于用户、老板、客户、竞品分析、业务部门、产品经理等,这些人或部门会提出需求,因为他们不是产品经理,提出的需求..

Shopee&TikTok广告算法将改写:GMV Max下如何挣脱利润“绞杀”!

来源:东南亚电商观察编辑:果然GMV Max 覆盖占比将超 90%”近期,一则因广告投放波及卖家利益的传言在卖家群里传开。据卖家反映,当前电商平台(如 Shopee、TikTok Shop)的流量分配逻辑正发生显著变化。一方面,付..

.NET C# System.Text.Json进阶使用技巧

System.Text.Json 是 .NET 中用于处理 JSON 数据的强大库。除了基本用法外,它还提供了许多进阶技巧,可以帮助你更高效、更灵活地处理 JSON 数据。以下是一些 System.Text.Json 的进阶使用技巧:1. 自定义序列化和反..

.NET Core 使用ML.NET 机器学习分析预测股票走势

在 .NET Core 中,你可以利用 ML.NET 框架来构建机器学习模型,以预测股票价格走势。以下是一个基本的实现步骤:​1. 准备数据:​收集并整理股票的历史数据,包括日期、开盘价、最高价、最低价、收盘价和成交量等信..

.NET 日志库 Serilog 使用教程

1. Serilog 简介Serilog 是 .NET 生态中强大且灵活的日志库,支持结构化日志记录,并提供多种日志接收器(Sinks),可以将日志输出到控制台、文件、数据库等不同存储介质。Serilog 适用于控制台应用、ASP.NET Core ..

Java中String类常见的方法

以下介绍字符串常见的几个方法。介绍String类在 Java 中,String类是一个代表字符串的类,具有以下特性:不可变性:String对象一旦被创建就是不可变的,即它们的值在创建后不能被更改。任何对String对象的修改操作实..

.NET C# 单元测试 mock File.Exists的返回值

在 .NET 单元测试中,使用 Moq 来模拟 File.Exists 方法的返回值,可以这样做:1. 使用 Mock<FileSystem>(推荐).NET 提供了 System.IO.Abstractions 库,你可以使用 Mock<IFileSystem> 来替代 File,这样更符合依..

.NET Core 适配 鸿蒙HarmonyOS 的最新进展

.NET Core适配鸿蒙HarmonyOS的最新进展:运行能力方面目前.Net完全具备可以在OpenHarmony系统上运行的能力。其中,NativeAOT方式是较为可行的一种,它编译出的原生so不依赖glibc,可与鸿蒙系统的libc兼容,能在鸿蒙..

VS创建.NET Core项目使用Docker方式部署到Linux服务器

在 Visual Studio(VS) 中,使用 Docker 方式部署 .NET Core 项目 到 Linux 服务器,可以简化环境管理并提高部署效率。以下是完整教程:1. 在 VS 创建 .NET Core 项目并启用 Docker新建 ASP.NET Core 项目打开 Visu..

.NET C#查询全球IP地址信息 IPTools库 使用教程

IPTools 是一个用于快速查询全球 IP 地址信息的库,支持国内和国际 IP 查询,提供详细的地理位置信息(如国家、省份、城市)以及经纬度等数据。IPTools GitHub地址:https://github.com/stulzq/IPToolsIPTools.China..

2025年.NET 10 和 C# 13 新特性示例

.NET 10预计将于2025年11月正式发布,带来一系列性能优化、开发者效率提升和跨平台能力增强。尽管官方功能集仍在开发中,早期预览版与社区讨论已揭示了多项值得期待的改进。这些增强将基于.NET 9的基础,引入新语言..

.NET Core网站减少内存占用的方法

在.NET Core网站开发中,有效管理内存占用对于保证应用程序的性能和稳定性至关重要。以下是一些减少内存占用的关键策略,它们着重于代码优化、内存管理以及相关因素的综合考虑。代码层面的优化首先,编写高效的代码..

.NET平台QR二维码生成库Net.Codecrete.QrCodeGenerator使用教程

今天给大家介绍一个免费的二维码生成库 Net.Codecrete.QrCodeGenerator ,它非常简洁、易用,且可以生成符合二维码标准的二维码图像。Net.Codecrete.QrCodeGenerator是一个开源的二维码生成库,适用于.NET平台。它基..

.NET9 SDK 新版本引入了新的解决方案文件格式.slnx

微软发布了 .NET 9 SDK 的新版本, 在这个新版本中引入了新的解决方案文件格式 slnx 的支持, 现在可以从 dotnet cli 来创建和维护 slnx 了, 并且支持了从 sln 迁移到 slnx, 目前 VisualStudio 和 Rider 都已经支持了 ..

.NET10 C#13最新语法糖用法示例

.NET 10 与 C# 13 带来了更高效的语法和更灵活的类型支持,包括 params 集合扩展、新的 \e 转义序列、方法组的自然类型推断优化,以及 ref struct 允许实现接口等特性,进一步提升了开发体验和代码可读性。C# 13 引..

2025年常见SQLServer数据库面试题

分享一些 2025年常见的 SQL Server 数据库面试题,涵盖基础知识、性能优化、高级查询、管理与运维等多个方面,适用于开发、DBA 及数据分析相关岗位的面试。1. SQL Server 的基本架构是什么?答案:SQL Server 的架构..

发表回复

返回顶部