#include <iostream> #include <fstream> #include<string> #include "nlohmann/json.hpp" using json = nlohmann::json; // 定义链表节点 struct Node { int comment; std::string from; std::vector<std::string> comments; std::string to; float score; std::string corp; std::string time; Node* next; }; void readJsonToLinkedList(std::string filename, Node*& head) { std::ifstream infile(filename); json j; infile >> j; for (auto& element : j) { Node* newNode = new Node(); newNode->comment = element["comment"]; newNode->from = element["from"]; newNode->comments = element["comments"]; newNode->to = element["to"]; newNode->score = std::stof(element["score"].get<std::string>()); newNode->corp = element["corp"]; newNode->time = element["time"]; // 插入节点到链表尾部 if (head == nullptr) { head = newNode; } else { Node* current = head; while (current->next != nullptr) { current = current->next; } current->next = newNode; } } } //从链表中进行筛选的函数 void saveRecords(Node* head, float lowerBound, float upperBound) { std::ofstream outfile("results.dat"); Node* current = head; while (current != nullptr) { if (current->score >= lowerBound && current->score <= upperBound) { outfile << current->from << "," << current->to << "," << current->score << std::endl; } current = current->next; } outfile.close(); } int main() { Node* head = nullptr; readJsonToLinkedList("C:\\Users\\86130\\source\\repos\\数据结构课程设计\\rating.json", head); // 从用户输入中获取评分范围 float low, high; std::cout << "请输入评分下界: "; std::cin >> low; std::cout << "请输入评分上界:"; std::cin >> high; saveRecords(head, low, high); return 0; }对于该代码是如何进行数据处理的
时间: 2024-03-07 21:51:03 浏览: 61
vc++2008编译不了#include<iostream.h>头文件
4星 · 用户满意度95%
该代码是一个 C++ 程序,它通过读取一个 JSON 格式的文件并将其转换为链表的形式,然后根据用户输入的评分范围筛选链表中的节点数据,并将结果保存到一个名为 "results.dat" 的文件中。
具体来说,该程序首先定义了一个链表节点 Node,其中包含了评分(comment)、评分者(from)、被评分者(to)、评论(comments)、评分时间(time)、评分公司(corp)和得分(score)七个属性,以及一个指向下一个节点的指针 next。
然后,程序定义了一个函数 readJsonToLinkedList,用于将 JSON 文件中的数据读入到链表中。该函数首先打开指定的文件,然后使用 nlohmann/json 库对文件内容进行解析,解析后的数据存储在一个名为 j 的变量中。接着,程序遍历 j 中的每一个元素,即每一条评分记录,为它创建一个新的链表节点,并将该节点插入到链表的尾部。
最后,程序定义了一个名为 saveRecords 的函数,用于从链表中筛选出评分在指定范围内的节点,并将它们的评分者、被评分者和得分保存到一个名为 "results.dat" 的文件中。
在 main 函数中,程序首先定义了一个头指针 head,并将其初始化为 nullptr。然后,程序调用 readJsonToLinkedList 函数,将指定的 JSON 文件读入到链表中。接着,程序提示用户输入评分范围,然后调用 saveRecords 函数,将符合条件的节点数据保存到文件中。最后,程序返回 0,表示程序正常结束。
阅读全文