作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在定义一个新的 C++ 类,它的 what
方法返回一个 char*
类型,其值为作为构造函数传递的整数值。
最初我使用 string
类并从 what
返回字符串数据。
然后我尝试使用 char*
键入以下代码:
/* Define the exception here */
class BadLengthException: public exception
{
public:
BadLengthException(int strLength)
{
strLen = strLength;
res = (char*)malloc(strLength+1);
int resultSize = sprintf(res, "%d", strLen);
}
~BadLengthException() throw()
{
free(res);
}
virtual const char* what() const throw()
{
return res;
}
private:
int strLen;
char* res;
};
但是我在释放 malloc
分配的变量时遇到了问题:它给出了这个异常:
pointer being freed was not allocated
*** set a breakpoint in malloc_error_break to debug
Abort trap: 6
那是为什么呢?我应该在哪里以及如何释放异常类中的动态分配变量?
编辑
这是一个最小的工作完整示例。该程序将要求用户输入。第一个是一个数字,指定以下输入的数量。其他输入将是字符串。如果字符串短于 5,将引发上述异常。
只需输入:1
然后输入 Me
例如
#include <iostream>
#include <string>
#include <sstream>
#include <exception>
using namespace std;
/* Define the exception here */
class BadLengthException: public exception
{
public:
BadLengthException(int strLength)
{
strLen = strLength;
res = (char*)malloc(strLength+1);
int resultSize = sprintf(res, "%d", strLen);
}
~BadLengthException() throw()
{
free(res);
}
virtual const char* what() const throw()
{
return res;
}
private:
int strLen;
char* res;
};
bool checkUsername(string username) {
bool isValid = true;
int n = username.length();
if(n < 5) {
throw BadLengthException(n);
}
for(int i = 0; i < n-1; i++) {
if(username[i] == 'w' && username[i+1] == 'w') {
isValid = false;
}
}
return isValid;
}
int main() {
int T; cin >> T;
while(T--) {
string username;
cin >> username;
try {
bool isValid = checkUsername(username);
if(isValid) {
cout << "Valid" << '\n';
} else {
cout << "Invalid" << '\n';
}
} catch (BadLengthException e) {
cout << "Too short: " << e.what() << '\n';
}
}
return 0;
}
编辑 2
使用字符串的原始类如下:这个有效
class BadLengthException: public exception
{
public:
BadLengthException(int strLength)
{
res = to_string(strLength);
}
virtual const char* what() const throw()
{
return res.c_str();
}
private:
string res;
};
最佳答案
这与异常无关。复制您的类(class)不安全。
如果您要编写这样的类,则需要使其遵循 rule of three .
发生的事情是你的异常对象被复制,它复制了指针,所以你释放了同一个指针两次。
但最简单的方法是使用 std::string
而不是分配您自己的内存。
class BadLengthException: public exception
{
public:
BadLengthException(int strLength) : strLen(strLength), res(std::to_string(strLength))
{
}
virtual const char* what() const throw()
{
return res.c_str();
}
private:
int strLen;
std::string res;
};
关于c++ - 如何在 C++ 异常类析构函数中释放变量,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/54536896/
我是一名优秀的程序员,十分优秀!