機械学習プログラムで使用される一般的な推奨アルゴリズムの例

機械学習プログラムで使用される一般的な推奨アルゴリズムの例

推奨アルゴリズムは、機械学習とデータマイニングの分野の重要な部分であり、ユーザーにパーソナライズされた推奨を提供するために使用されます。 .NET では、さまざまなアルゴリズムを使用して推奨システムを実装できます。この記事では、協調フィルタリング、コンテンツ フィルタリング、ディープラーニング推奨システムという 3 つの一般的な推奨アルゴリズムを紹介し、対応する .NET ソース コードの例を示します。

協調フィルタリング推奨アルゴリズム

協調フィルタリング アルゴリズムは、ユーザーの行動データに基づいており、ユーザー間の類似性を分析することでユーザーに推奨コンテンツを提供します。一般的な協調フィルタリング アルゴリズムには、ユーザーベースの協調フィルタリングとアイテムベースの協調フィルタリングがあります。以下は、ユーザーベースの協調フィルタリングの .NET の例です。

 using System; using System.Collections.Generic; class CollaborativeFiltering { static void Main() { // 用户-物品评分矩阵Dictionary<string, Dictionary<string, double>> userItemRatings = new Dictionary<string, Dictionary<string, double>> { { "User1", new Dictionary<string, double> { { "Item1", 5.0 }, { "Item2", 3.0 } } }, { "User2", new Dictionary<string, double> { { "Item1", 4.0 }, { "Item3", 1.0 } } }, { "User3", new Dictionary<string, double> { { "Item2", 4.5 }, { "Item4", 2.0 } } } }; string targetUser = "User2"; string targetItem = "Item2"; // 计算与目标用户相似的其他用户var similarUsers = FindSimilarUsers(userItemRatings, targetUser); // 基于相似用户的评分预测double predictedRating = PredictRating(userItemRatings, similarUsers, targetUser, targetItem); Console.WriteLine($"预测用户{targetUser} 对物品{targetItem} 的评分为: {predictedRating}"); } static Dictionary<string, double> FindSimilarUsers(Dictionary<string, Dictionary<string, double>> userItemRatings, string targetUser) { Dictionary<string, double> similarUsers = new Dictionary<string, double>(); foreach (var user in userItemRatings.Keys) { if (user != targetUser) { double similarity = CalculateSimilarity(userItemRatings[targetUser], userItemRatings[user]); similarUsers.Add(user, similarity); } } return similarUsers; } static double CalculateSimilarity(Dictionary<string, double> ratings1, Dictionary<string, double> ratings2) { // 计算两个用户之间的相似性,可以使用不同的方法,如皮尔逊相关系数、余弦相似度等// 这里使用简单的欧氏距离作为示例double distance = 0.0; foreach (var item in ratings1.Keys) { if (ratings2.ContainsKey(item)) { distance += Math.Pow(ratings1[item] - ratings2[item], 2); } } return 1 / (1 + Math.Sqrt(distance)); } static double PredictRating(Dictionary<string, Dictionary<string, double>> userItemRatings, Dictionary<string, double> similarUsers, string targetUser, string targetItem) { double numerator = 0.0; double denominator = 0.0; foreach (var user in similarUsers.Keys) { if (userItemRatings[user].ContainsKey(targetItem)) { numerator += similarUsers[user] * userItemRatings[user][targetItem]; denominator += Math.Abs(similarUsers[user]); } } if (denominator == 0) { return 0; // 无法预测} return numerator / denominator; } }

この例では、ユーザーとアイテムの評価マトリックスを構築し、ユーザーベースの協調フィルタリング アルゴリズムを使用して、アイテムに対するユーザーの評価を予測します。まず、対象ユーザーに類似する他のユーザーを計算し、類似ユーザーの評価に基づいて予測を行います。

コンテンツフィルタリング推奨アルゴリズム

コンテンツ フィルタリング アルゴリズムは、アイテムの属性情報に基づいて、ユーザーの過去の好みに似たアイテムをユーザーに提供します。コンテンツ ベース フィルタリングの .NET の例を次に示します。

 using System; using System.Collections.Generic; class ContentFiltering { static void Main() { // 物品-属性矩阵Dictionary<string, Dictionary<string, double>> itemAttributes = new Dictionary<string, Dictionary<string, double>> { { "Item1", new Dictionary<string, double> { { "Genre", 1.0 }, { "Year", 2010.0 } } }, { "Item2", new Dictionary<string, double> { { "Genre", 2.0 }, { "Year", 2015.0 } } }, { "Item3", new Dictionary<string, double> { { "Genre", 1.5 }, { "Year", 2020.0 } } } }; string targetUser = "User1"; // 用户历史喜好List<string> userLikedItems = new List<string> { "Item1", "Item2" }; // 基于内容相似性的物品推荐var recommendedItems = RecommendItems(itemAttributes, userLikedItems, targetUser); Console.WriteLine($"为用户{targetUser} 推荐的物品是: {string.Join(", ", recommendedItems)}"); } static List<string> RecommendItems(Dictionary<string, Dictionary<string, double>> itemAttributes, List<string> userLikedItems, string targetUser) { Dictionary<string, double> itemScores = new Dictionary<string, double>(); foreach (var item in itemAttributes.Keys) { if (!userLikedItems.Contains(item)) { double similarity = CalculateItemSimilarity(itemAttributes, userLikedItems, item, targetUser); itemScores.Add(item, similarity); } } // 根据相似性得分排序物品var sortedItems = itemScores.OrderByDescending(x => x.Value).Select(x => x.Key).ToList(); return sortedItems; } static double CalculateItemSimilarity(Dictionary<string, Dictionary<string, double>> itemAttributes, List<string> userLikedItems, string item1, string targetUser) { double similarity = 0.0; foreach (var item2 in userLikedItems ) { similarity += CalculateJaccardSimilarity(itemAttributes[item1], itemAttributes[item2]); } return similarity; } static double CalculateJaccardSimilarity(Dictionary<string, double> attributes1, Dictionary<string, double> attributes2) { // 计算Jaccard相似性,可以根据属性值的相似性定义不同的相似性度量方法var intersection = attributes1.Keys.Intersect(attributes2.Keys).Count(); var union = attributes1.Keys.Union(attributes2.Keys).Count(); return intersection / (double)union; } }

この例では、アイテム属性マトリックスを構築し、コンテンツベースのフィルタリング アルゴリズムを使用してユーザーにアイテムを推奨します。アイテム間の類似性を計算し、ユーザーの過去の嗜​​好に基づいて類似アイテムを推奨しました。

ディープラーニングレコメンデーションシステム

ディープラーニング推奨システムは、ニューラル ネットワーク モデルを使用して、ユーザーとアイテム間の複雑な関係を学習し、より正確なパーソナライズされた推奨を提供します。以下は、PyTorch ライブラリを使用してシンプルなディープラーニング推奨システムを構築する方法を示した .NET の例です。

 // 请注意,此示例需要安装PyTorch.NET库using System; using System.Linq; using Python.Runtime; using torch = Python.Runtime.Torch; class DeepLearningRecommendation { static void Main() { // 启动Python运行时using (Py.GIL()) { // 创建一个简单的神经网络模型var model = CreateRecommendationModel(); // 模拟用户和物品的数据var userFeatures = torch.tensor(new double[,] { { 0.1, 0.2 }, { 0.4, 0.5 } }); var itemFeatures = torch.tensor(new double[,] { { 0.6, 0.7 }, { 0.8, 0.9 } }); // 计算用户和物品之间的交互var interaction = torch.mm(userFeatures, itemFeatures.T); // 使用模型进行推荐var recommendations = model.forward(interaction); Console.WriteLine("推荐得分:"); Console.WriteLine(recommendations); } } static dynamic CreateRecommendationModel() { using (Py.GIL()) { dynamic model = torch.nn.Sequential( torch.nn.Linear(2, 2), torch.nn.ReLU(), torch.nn.Linear(2, 1), torch.nn.Sigmoid() ); return model; } } }

この例では、PyTorch.NET ライブラリを使用して、推奨用のシンプルなニューラル ネットワーク モデルを作成しました。ユーザーとアイテムの特徴データをシミュレートし、ユーザーとアイテム間の相互作用を計算しました。最後に、モデルを使用して推奨事項を作成します。

この記事では、協調フィルタリング、コンテンツ フィルタリング、ディープラーニング推奨システムなど、3 つの一般的な推奨アルゴリズムの例を示します。これらのアルゴリズムを .NET 環境に実装すると、開発者はさまざまな種類の推奨システムを理解し、ユーザーにパーソナライズされた推奨を提供できるようになります。これらのサンプル コードは、さまざまなアプリケーション シナリオのニーズを満たす、より複雑な推奨システムを構築するための出発点として役立ちます。これらの例が役に立つことを願っています。

<<:  DrivingDiffusion: 最初のサラウンドワールド モデル: BEV データとシミュレーションの新しいアイデア!

>>: 

ブログ    

推薦する

機械翻訳から読心術まで、AIは人類のバベルの塔を再建できるのか?

[[183536]]聖書の旧約聖書創世記には、人類が団結して天国に通じるバベルの塔を建てたという話...

動的プログラミングアルゴリズムのルーチンをマスターするにはどうすればいいですか?

[[358211]] DP と呼ばれる動的プログラミングは、非常に洗練された複雑なアルゴリズムとい...

今後 10 年間で最も「収益性の高い」 5 つの業界。誰がやっても儲かるでしょう。

VRバーチャルリアリティは未来のトレンドであり、大きな発展の見込みがあります。現在、大手企業がこの...

清華大学:過去10年間の人工知能の発展の概要:中国は急速な進歩を遂げ、その特許は世界の70%を占める

1. 急速な発展の10年1. 論文の発表状況<br /> 人工知能は過去10年間で急速に...

...

大規模ナレッジグラフデータストレージの実践的分析

1. ナレッジグラフとは何ですか?現実世界にはさまざまなものが存在します。物事の間にはいくつかの種類...

ビジネスインテリジェンスの歴史と発展についてお話ししましょう

1865 年に、リチャード・ミラー・デベンスは著書『A Complete Collection of...

元従業員が内部事情を暴露: 10年経っても、なぜGoogleはナレッジグラフを解明できないのか?

[[258183]]この記事はWeChatの公開アカウント「AI Front」(ID: ai-fr...

...

...

...

...

...

機械学習の7つのステップ

機械学習の応用は急速に成長しており、医療、電子商取引、銀行業務などのさまざまな分野で不可欠な要素とな...