当前位置: 首页 > news >正文

C++学习:六个月从基础到就业——内存管理:内存泄漏与避免

C++学习:六个月从基础到就业——内存管理:内存泄漏与避免

本文是我C++学习之旅系列的第十八篇技术文章,也是第二阶段"C++进阶特性"的第三篇,主要介绍C++中的内存泄漏问题以及如何避免这些问题。查看完整系列目录了解更多内容。

引言

在前两篇文章中,我们讨论了堆与栈的基本概念,以及newdelete操作符的使用。这篇文章我们将深入探讨C++中一个常见且棘手的问题:内存泄漏。

内存泄漏是指程序分配的内存在不再需要时未被正确释放,这些无法访问但也无法重用的内存会随着程序的运行逐渐累积,最终可能导致程序性能下降、响应迟缓,甚至崩溃。在C++这类需要手动管理内存的语言中,内存泄漏是一个特别常见的问题。

本文将详细介绍什么是内存泄漏、如何识别内存泄漏、常见的内存泄漏模式,以及防止内存泄漏的多种技术和最佳实践。通过掌握这些知识,你将能够编写更健壮、更高效的C++程序。

什么是内存泄漏?

内存泄漏(Memory Leak)是指程序中已动态分配的堆内存由于某种原因程序未释放或无法释放,造成系统内存的浪费,导致程序运行速度减慢甚至系统崩溃等严重后果。

内存泄漏的基本定义

简单来说,当一个程序分配了内存,但在不再需要这块内存时没有释放它,并且没有任何指针指向它(即无法访问这块内存),就发生了内存泄漏。这些"泄漏"的内存会一直存在,直到程序终止,操作系统才能回收。

一个简单的内存泄漏示例

void leakMemory() {int* ptr = new int(42);  // 分配内存// 没有对应的delete语句// 函数结束时,ptr超出作用域,但分配的内存没有被释放
}int main() {for (int i = 0; i < 1000000; ++i) {leakMemory();  // 多次调用会导致大量内存泄漏}return 0;
}

在这个例子中,leakMemory()函数分配了内存但没有释放它。当函数返回时,局部变量ptr被销毁,但它指向的内存仍然被分配,而且没有任何方式可以访问或释放这块内存。

内存泄漏的危害

  1. 资源耗尽:持续的内存泄漏最终会耗尽系统的可用内存,导致新的内存分配请求失败。

  2. 性能下降:随着可用内存减少,系统可能开始使用虚拟内存(磁盘交换),这会显著降低性能。

  3. 程序崩溃:当内存完全耗尽时,程序可能崩溃或被操作系统终止。

  4. 系统不稳定:严重的内存泄漏可能影响整个系统的稳定性,特别是在资源受限的环境中。

  5. 难以调试:内存泄漏通常不会立即显现,可能需要程序长时间运行后才会导致问题,这使得它们特别难以发现和调试。

常见的内存泄漏模式

1. 简单的动态内存未释放

最基本的内存泄漏类型是分配内存后忘记释放:

void simpleLeakExample() {int* array = new int[100];  // 分配内存// 使用array...// 忘记使用delete[] array;
}

2. 条件路径导致的泄漏

在复杂的代码流程中,可能某些条件路径下忘记释放内存:

void conditionalLeakExample(bool condition) {int* data = new int[100];if (condition) {// 处理某些情况return;  // 提前返回,忘记释放内存}// 处理其他情况delete[] data;  // 只有在condition为false时才执行
}

3. 异常导致的泄漏

如果在分配内存后、释放内存前发生异常,可能导致内存泄漏:

void exceptionLeakExample() {int* array = new int[100];// 假设这里可能抛出异常processSomething();  // 如果抛出异常,下面的delete不会执行delete[] array;
}

4. 类对象中的内存泄漏

类对象中的动态分配成员如果在析构函数中未释放,会导致内存泄漏:

class LeakyClass {
private:int* data;public:LeakyClass() {data = new int[100];}// 没有定义析构函数,或析构函数中没有释放data// 应该有:~LeakyClass() { delete[] data; }
};

5. 循环引用导致的泄漏

特别是在使用智能指针(如std::shared_ptr)时,循环引用可能导致内存泄漏:

class Node {
public:std::shared_ptr<Node> next;// 其他数据...
};void circularReferenceExample() {auto node1 = std::make_shared<Node>();auto node2 = std::make_shared<Node>();// 创建循环引用node1->next = node2;node2->next = node1;// 函数结束时,node1和node2的引用计数都为2// 由于循环引用,它们的引用计数永远不会降到0// 导致内存无法释放
}

6. 标准容器中的指针未释放

如果在标准容器中存储了裸指针,当容器被销毁时,不会自动删除这些指针指向的对象:

void containerLeakExample() {std::vector<MyClass*> objects;for (int i = 0; i < 10; ++i) {objects.push_back(new MyClass());}// 当objects超出作用域时,vector本身会被销毁// 但vector中存储的指针指向的对象不会被删除
}

7. 忘记释放非内存资源

不仅是内存,其他资源如文件句柄、网络连接等未正确关闭也是一种"资源泄漏":

void resourceLeakExample() {FILE* file = fopen("example.txt", "r");// 处理文件...// 忘记调用fclose(file)
}

发现内存泄漏的工具与技术

1. 静态代码分析工具

静态分析工具可以识别可能导致内存泄漏的代码模式:

  • Cppcheck:开源静态分析工具,可检测各种C/C++问题
  • Clang Static Analyzer:基于LLVM的静态分析工具
  • PVS-Studio:商业静态分析工具
  • Visual Studio Code Analysis:微软IDE集成的静态分析

示例(使用Cppcheck):

cppcheck --enable=all --suppress=missingIncludeSystem mycode.cpp

2. 动态内存检测工具

动态工具在程序运行时检测内存问题:

Valgrind

Valgrind是Linux/macOS系统上最常用的内存检测工具之一:

valgrind --leak-check=full ./myprogram

Valgrind输出示例:

==12345== HEAP SUMMARY:
==12345==     in use at exit: 4 bytes in 1 blocks
==12345==   total heap usage: 5 allocs, 4 frees, 1,024 bytes allocated
==12345== 
==12345== 4 bytes in 1 blocks are definitely lost in loss record 1 of 1
==12345==    at 0x4C2B0E0: operator new(unsigned long) (in /usr/lib/valgrind/vgpreload_memcheck-amd64-linux.so)
==12345==    by 0x400978: leakMemory() (example.cpp:5)
==12345==    by 0x400A89: main (example.cpp:12)
AddressSanitizer (ASan)

现代编译器(GCC, Clang)提供的内存错误检测工具:

# 使用GCC编译
g++ -fsanitize=address -g -O1 mycode.cpp# 使用Clang编译
clang++ -fsanitize=address -g -O1 mycode.cpp
Visual Studio CRT调试工具

在Windows上,可使用Visual C++运行时库提供的内存泄漏检测功能:

#define _CRTDBG_MAP_ALLOC
#include <stdlib.h>
#include <crtdbg.h>int main() {_CrtSetDbgFlag(_CRTDBG_ALLOC_MEM_DF | _CRTDBG_LEAK_CHECK_DF);// 你的代码...return 0;
}

3. 自定义内存泄漏检测

有时,实现简单的自定义内存跟踪也很有用:

#include <iostream>
#include <unordered_map>
#include <string>class MemoryTracker {
private:static std::unordered_map<void*, std::string> allocations;static size_t totalAllocated;public:static void recordAllocation(void* ptr, size_t size, const std::string& file, int line) {allocations[ptr] = file + ":" + std::to_string(line) + " - " + std::to_string(size) + " bytes";totalAllocated += size;}static void recordDeallocation(void* ptr) {auto it = allocations.find(ptr);if (it != allocations.end()) {allocations.erase(it);} else {std::cerr << "Warning: Attempting to free unallocated memory at " << ptr << std::endl;}}static void reportLeaks() {if (!allocations.empty()) {std::cerr << "Memory leaks detected: " << allocations.size() << " allocations not freed\n";for (const auto& alloc : allocations) {std::cerr << "Leak at address " << alloc.first << ": " << alloc.second << std::endl;}} else {std::cout << "No memory leaks detected\n";}std::cout << "Total memory allocated: " << totalAllocated << " bytes\n";}
};std::unordered_map<void*, std::string> MemoryTracker::allocations;
size_t MemoryTracker::totalAllocated = 0;// 重载全局new和delete
void* operator new(size_t size, const char* file, int line) {void* ptr = ::operator new(size);MemoryTracker::recordAllocation(ptr, size, file, line);return ptr;
}void operator delete(void* ptr) noexcept {MemoryTracker::recordDeallocation(ptr);::operator delete(ptr);
}// 宏简化使用
#define new new(__FILE__, __LINE__)int main() {int* p1 = new int;int* p2 = new int[10];delete p1;// 忘记删除p2,将被报告为泄漏MemoryTracker::reportLeaks();return 0;
}

避免内存泄漏的策略

1. 遵循RAII原则

RAII (Resource Acquisition Is Initialization) 是C++中管理资源的核心原则,它确保资源在获取的同时初始化,并在拥有对象销毁时自动释放。

class RAIIExample {
private:int* data;public:RAIIExample(size_t size) : data(new int[size]) {// 资源获取与初始化同时进行}~RAIIExample() {// 资源在对象销毁时自动释放delete[] data;}// 禁用复制,避免多次释放RAIIExample(const RAIIExample&) = delete;RAIIExample& operator=(const RAIIExample&) = delete;// 允许移动RAIIExample(RAIIExample&& other) noexcept : data(other.data) {other.data = nullptr;}RAIIExample& operator=(RAIIExample&& other) noexcept {if (this != &other) {delete[] data;data = other.data;other.data = nullptr;}return *this;}
};

2. 使用智能指针

C++11引入的智能指针是避免内存泄漏的强大工具:

std::unique_ptr

管理独占所有权的资源,无法复制,但可以移动:

#include <memory>void uniquePtrExample() {// 创建并管理一个intstd::unique_ptr<int> p1(new int(42));// 更推荐的方式(C++14)auto p2 = std::make_unique<int>(42);// 创建并管理一个int数组std::unique_ptr<int[]> arr(new int[100]);// 当p1、p2、arr超出作用域时,它们管理的内存会自动释放
}
std::shared_ptr

通过引用计数管理共享所有权的资源:

#include <memory>void sharedPtrExample() {// 创建一个共享指针auto p1 = std::make_shared<int>(42);{// 创建共享同一资源的另一个指针auto p2 = p1;  // 引用计数增加到2// 使用p1和p2...}  // p2超出作用域,引用计数减为1// 使用p1...}  // p1超出作用域,引用计数减为0,资源被释放
std::weak_ptr

弱引用,不增加引用计数,可用于打破循环引用:

#include <memory>class Node {
public:std::shared_ptr<Node> next;std::weak_ptr<Node> weakNext;  // 使用weak_ptr避免循环引用
};void breakCyclicReferences() {auto node1 = std::make_shared<Node>();auto node2 = std::make_shared<Node>();// 使用shared_ptr会导致循环引用// node1->next = node2;// node2->next = node1;// 使用weak_ptr打破循环node1->next = node2;node2->weakNext = node1;  // 不增加node1的引用计数// 使用weak_ptr需要先检查是否expiredif (auto locked = node2->weakNext.lock()) {// 成功获取shared_ptrstd::cout << "Node1 still exists" << std::endl;}
}

3. 使用标准库容器

标准库容器自动管理内存,减少内存泄漏的风险:

// 不推荐:
int* array = new int[100];
// ...使用array
delete[] array;// 推荐:
std::vector<int> vec(100);  // 自动管理内存
// ...使用vec
// 无需手动释放

对于存储动态分配对象的容器,使用智能指针:

// 不推荐:
std::vector<MyClass*> objects;
for (int i = 0; i < 10; ++i) {objects.push_back(new MyClass());
}
// 需要手动删除每个对象
for (auto ptr : objects) {delete ptr;
}// 推荐:
std::vector<std::unique_ptr<MyClass>> objects;
for (int i = 0; i < 10; ++i) {objects.push_back(std::make_unique<MyClass>());
}
// 自动清理,无需手动删除

4. 实现完善的资源管理

确保类遵循"三五法则"或"零三五法则":

  1. 如果需要析构函数,通常也需要复制构造函数和复制赋值运算符(三法则)
  2. 如果需要复制操作,通常也需要移动构造函数和移动赋值运算符(五法则)
class ResourceOwner {
private:Resource* resource;public:// 构造函数获取资源ResourceOwner(const std::string& name) : resource(new Resource(name)) {}// 析构函数释放资源~ResourceOwner() {delete resource;}// 复制构造函数(深拷贝)ResourceOwner(const ResourceOwner& other) : resource(new Resource(*other.resource)) {}// 复制赋值运算符(深拷贝)ResourceOwner& operator=(const ResourceOwner& other) {if (this != &other) {delete resource;resource = new Resource(*other.resource);}return *this;}// 移动构造函数ResourceOwner(ResourceOwner&& other) noexcept : resource(other.resource) {other.resource = nullptr;}// 移动赋值运算符ResourceOwner& operator=(ResourceOwner&& other) noexcept {if (this != &other) {delete resource;resource = other.resource;other.resource = nullptr;}return *this;}
};

或者,更简单的方法是禁用复制并使用智能指针:

class ResourceOwner {
private:std::unique_ptr<Resource> resource;public:ResourceOwner(const std::string& name) : resource(std::make_unique<Resource>(name)) {}// 使用默认析构函数// 禁用复制ResourceOwner(const ResourceOwner&) = delete;ResourceOwner& operator=(const ResourceOwner&) = delete;// 启用移动(编译器可以自动生成)ResourceOwner(ResourceOwner&&) = default;ResourceOwner& operator=(ResourceOwner&&) = default;
};

5. 异常安全

确保即使在异常发生时也不会泄漏资源:

// 不安全的代码
void unsafeFunction() {Resource* res1 = new Resource();Resource* res2 = new Resource();// 如果process()抛出异常,res1和res2将泄漏process(res1, res2);delete res1;delete res2;
}// 安全的代码
void safeFunction() {std::unique_ptr<Resource> res1 = std::make_unique<Resource>();std::unique_ptr<Resource> res2 = std::make_unique<Resource>();// 即使process()抛出异常,res1和res2也会自动释放process(res1.get(), res2.get());// 不需要手动删除
}

6. 使用工具进行持续监控

将内存泄漏检测工具集成到开发和测试流程中:

  1. 在开发阶段:使用调试工具和静态分析
  2. 在自动化测试中:集成Valgrind或AddressSanitizer
  3. 在生产环境:实现内存使用监控和报告机制

实际应用案例

案例1:文件处理中的资源管理

不良实践:

void processFile(const std::string& filename) {FILE* file = fopen(filename.c_str(), "r");if (!file) {throw std::runtime_error("Failed to open file");}try {// 处理文件...if (someCondition) {return;  // 提前返回,忘记关闭文件}// 更多处理...} catch (const std::exception& e) {// 异常处理,但忘记关闭文件throw;  // 重新抛出异常}fclose(file);  // 只在正常路径下执行
}

改进版(使用RAII):

class FileRAII {
private:FILE* file;public:FileRAII(const std::string& filename, const std::string& mode) {file = fopen(filename.c_str(), mode.c_str());if (!file) {throw std::runtime_error("Failed to open file");}}~FileRAII() {if (file) {fclose(file);}}FILE* get() { return file; }// 禁用复制FileRAII(const FileRAII&) = delete;FileRAII& operator=(const FileRAII&) = delete;
};void processFile(const std::string& filename) {FileRAII file(filename, "r");try {// 处理文件...if (someCondition) {return;  // 文件自动关闭}// 更多处理...} catch (const std::exception& e) {// 文件自动关闭throw;  // 重新抛出异常}// 文件自动关闭,无需显式调用fclose
}

或者使用C++标准库文件流:

#include <fstream>void processFile(const std::string& filename) {std::ifstream file(filename);if (!file) {throw std::runtime_error("Failed to open file");}// 处理文件...// file自动关闭,无论正常退出还是异常
}

案例2:图形应用中的对象管理

不良实践:

class GraphicsApp {
private:std::vector<Shape*> shapes;public:void addRectangle(int x, int y, int width, int height) {shapes.push_back(new Rectangle(x, y, width, height));}void addCircle(int x, int y, int radius) {shapes.push_back(new Circle(x, y, radius));}void render() {for (auto shape : shapes) {shape->draw();}}// 忘记在析构函数中清理shapes
};

改进版(使用智能指针):

class GraphicsApp {
private:std::vector<std::unique_ptr<Shape>> shapes;public:void addRectangle(int x, int y, int width, int height) {shapes.push_back(std::make_unique<Rectangle>(x, y, width, height));}void addCircle(int x, int y, int radius) {shapes.push_back(std::make_unique<Circle>(x, y, radius));}void render() {for (const auto& shape : shapes) {shape->draw();}}// 不需要显式清理,智能指针会自动管理内存
};

案例3:缓存系统的循环引用

问题代码(循环引用导致内存泄漏):

class Node;
using NodePtr = std::shared_ptr<Node>;class Node {
public:NodePtr parent;std::vector<NodePtr> children;void addChild(NodePtr child) {children.push_back(child);child->parent = shared_from_this();  // 创建循环引用}
};void createNodes() {NodePtr root = std::make_shared<Node>();NodePtr child = std::make_shared<Node>();root->addChild(child);// 当函数返回时,root和child的引用计数都为2// 由于循环引用,内存永远不会释放
}

改进版(使用weak_ptr打破循环):

class Node;
using NodePtr = std::shared_ptr<Node>;
using WeakNodePtr = std::weak_ptr<Node>;class Node : public std::enable_shared_from_this<Node> {
public:WeakNodePtr parent;  // 使用weak_ptr避免循环引用std::vector<NodePtr> children;void addChild(NodePtr child) {children.push_back(child);child->parent = weak_from_this();  // 不增加引用计数}// 访问parent需要先检查NodePtr getParent() {return parent.lock();  // 转换为shared_ptr}
};void createNodes() {NodePtr root = std::make_shared<Node>();NodePtr child = std::make_shared<Node>();root->addChild(child);// 当函数返回时,内存可以正确释放
}

内存泄漏分析与调试技巧

理解程序的内存使用模式

监控应用程序的内存使用情况,识别异常增长:

#include <iostream>
#include <chrono>
#include <thread>
#include <vector>
#include <cstdlib>// 简单的内存使用报告函数
void reportMemoryUsage() {
#ifdef _WIN32PROCESS_MEMORY_COUNTERS_EX pmc;GetProcessMemoryInfo(GetCurrentProcess(), (PROCESS_MEMORY_COUNTERS*)&pmc, sizeof(pmc));std::cout << "Memory usage: " << pmc.WorkingSetSize / (1024 * 1024) << " MB\n";
#else// Linux实现,使用/proc/self/statusFILE* file = fopen("/proc/self/status", "r");if (file) {char line[128];while (fgets(line, 128, file) != NULL) {if (strncmp(line, "VmRSS:", 6) == 0) {int len = strlen(line);const char* p = line;while (*p < '0' || *p > '9') p++;line[len - 3] = '\0';  // 移除" kB"std::cout << "Memory usage: " << atoi(p) / 1024 << " MB\n";break;}}fclose(file);}
#endif
}int main() {reportMemoryUsage();std::vector<int*> leaks;// 按键继续循环char c = 0;while (c != 'q') {std::cout << "Press 'a' to allocate memory, 'q' to quit: ";std::cin >> c;if (c == 'a') {// 分配1MB内存并泄漏int* leak = new int[262144];  // 约1MBstd::fill(leak, leak + 262144, 42);leaks.push_back(leak);reportMemoryUsage();}}// 正常情况下应该清理,但我们故意不清理以演示泄漏// for (auto ptr : leaks) {//     delete[] ptr;// }return 0;
}

调试技巧

  1. 增量式测试:逐步添加代码,定期检查内存使用情况,以便快速定位引入内存泄漏的变更。

  2. 启用内存分析工具:使用Memory Profiler工具,如Visual Studio的Memory Usage工具或Intel VTune。

  3. 内存快照比较:获取程序不同时间点的内存快照,对比分析增长的内存分配。

  4. 使用专用宏进行内存调试

#ifdef _DEBUG#define NEW_DBG new(_NORMAL_BLOCK, __FILE__, __LINE__)#define new NEW_DBG
#endif
  1. 实现自定义分配器:在系统中的关键部分使用自定义分配器,以便更精细地控制和监控内存使用:
template <typename T>
class TrackingAllocator {
public:using value_type = T;TrackingAllocator() noexcept {}template <typename U>TrackingAllocator(const TrackingAllocator<U>&) noexcept {}T* allocate(std::size_t n) {std::size_t size = n * sizeof(T);totalAllocated += size;allocCount++;std::cout << "Allocating " << size << " bytes (total: " << totalAllocated << " bytes in " << allocCount << " allocations)\n";return static_cast<T*>(::operator new(size));}void deallocate(T* p, std::size_t n) noexcept {std::size_t size = n * sizeof(T);totalAllocated -= size;allocCount--;std::cout << "Deallocating " << size << " bytes (remaining: " << totalAllocated << " bytes in " << allocCount << " allocations)\n";::operator delete(p);}static std::size_t totalAllocated;static std::size_t allocCount;
};template <typename T>
std::size_t TrackingAllocator<T>::totalAllocated = 0;template <typename T>
std::size_t TrackingAllocator<T>::allocCount = 0;// 使用示例
std::vector<int, TrackingAllocator<int>> vec;
vec.push_back(42);  // 将打印跟踪信息

避免内存泄漏的最佳实践总结

  1. 尽量避免手动内存管理:使用RAII、容器和智能指针代替裸指针。

  2. 理解对象生命周期:明确每个对象谁负责创建和销毁,建立所有权语义。

  3. 一致应用五法则:析构、拷贝构造、拷贝赋值、移动构造、移动赋值。

  4. 优先使用栈而非堆:尽可能在栈上分配对象,减少动态内存管理。

  5. 注意容器元素的内存管理:存储指针的容器需要特别注意元素的释放。

  6. 使用工具定期检查:将内存分析工具集成到开发流程中。

  7. 小心处理循环引用:使用weak_ptr或重新设计对象关系。

  8. 编写异常安全代码:确保在异常情况下也能正确释放资源。

  9. 限制内存分配在性能关键路径上:考虑使用对象池、内存池等技术。

  10. 遵循"尽早返回,尽晚分配"原则:在确认需要资源之后再分配内存。

总结

内存泄漏是C++程序中常见且棘手的问题,它可能导致性能下降、资源耗尽甚至程序崩溃。本文介绍了内存泄漏的定义、常见模式、检测工具以及避免策略。

最有效的避免内存泄漏的方法是遵循现代C++的最佳实践:使用RAII原则、智能指针、标准容器和异常安全的代码设计。通过这些技术,即使在复杂的C++程序中,也可以实现安全、可靠的内存管理。

记住,在C++中,良好的内存管理不仅是一种技能,更是一种习惯。持续关注内存使用模式,定期使用工具检测潜在问题,并不断改进代码设计,能够帮助你写出更加健壮、高效的C++程序。

在下一篇文章中,我们将深入探讨RAII原则,这是C++资源管理的核心概念,也是避免泄漏的重要工具。


这是我C++学习之旅系列的第十八篇技术文章。查看完整系列目录了解更多内容。

相关文章:

  • chili3d调试6 添加左侧面板
  • 【第四十一周】文献阅读:HippoRAG:受神经生物学启发的大型语言模型长期记忆机制
  • OSPF特殊区域
  • 金融图QCPFinancial
  • mac监控linux上mysql性能(Grafana+Prometheus+mysqld_exporter)
  • VSCode PIO使用Jlink SWD烧录Stm32
  • 【C++初阶】第15课—模版进阶
  • 进程与线程:01 CPU管理的直观想法
  • 股票分析技术指标【RSV、KDJ】
  • 【Ollama:本地LLM工具】
  • windows服务器及网络:论如何安装(虚拟机)
  • 驱动开发硬核特训 · Day 15:电源管理核心知识与实战解析
  • 基于javaweb的SpringBoot儿童爱心管理系统设计与实现(源码+文档+部署讲解)
  • go语言对http协议的支持
  • 神经网络与模型训练过程笔记
  • PyTorch 深度学习实战(39):归一化技术对比(BN/LN/IN/GN)
  • 提示词设计:动态提示词 标准提示词
  • Android Studio 中 Drawable 详细全解
  • 计算机视觉cv入门之答题卡自动批阅
  • linux 搭建 dvwa 渗透测试环境
  • 解除近70家煤电厂有毒物质排放限制,特朗普能重振煤炭吗?
  • 信心从何而来|当消博会展商遇上关税战
  • 解读丨连续两日施压,特朗普为何着急让美联储降息
  • 天文学家、民盟江苏省委会原常务副主委任江平逝世
  • 全国首票海关特殊监管区域外保税再制造业务落地上海
  • 秦洪看盘|量能虽萎缩,但交易情绪尚可