char*与const char*
时间: 2023-12-20 19:05:19 浏览: 105
c代码-C: []数组、*指针、&引用(别名) const char* str;等同于char const* str; char* const str;
char*和const char*都是指向字符数组的指针,但是它们之间有一些重要的区别。char*指针可以用于修改指向的字符数组,而const char*指针则不能修改指向的字符数组。
下面是一个例子,演示了char*和const char*之间的区别:
```c++
#include <iostream>
#include <cstring>
int main() {
char str1[] = "Hello";
char* ptr1 = str1;
std::cout << "Before modification: " << ptr1 << std::endl;
ptr1[0] = 'h';
std::cout << "After modification: " << ptr1 << std::endl;
const char* str2 = "World";
const char* ptr2 = str2;
std::cout << "Before modification: " << ptr2 << std::endl;
// 下面这行代码会导致编译错误
// ptr2[0] = 'w';
std::cout << "After modification: " << ptr2 << std::endl;
return 0;
}
```
输出结果为:
```
Before modification: Hello
After modification: hello
Before modification: World
After modification: World
```
可以看到,通过char*指针可以修改指向的字符数组,而通过const char*指针则不能修改指向的字符数组。
阅读全文