2015-05-25 67 views
0

我想了解malloc和字符数组(c样式)是如何工作的。考虑下面的代码,使用malloc,字符数组和指针

// Example program 
#include <iostream> 
#include <cstdlib> 
#include <iomanip> 
using namespace std; 

int main() 
{ 
    //section1: Init 
    char line0[10] = {'a','b','c','d','e','f','g','h','i','j'}; 
    char line1[10] = {'z','y','x','w','v','u','t','s','r','q'}; 

    //section2: Allocate Character array 
    char* charBuffer = (char*) malloc(sizeof(char)*10); 
    cout<<sizeof(charBuffer)<<endl; 

    //Section3: add characters to the array 
    for (int i=0;i<10;i++) 
    { 
    *&charBuffer[i] = line0[i]; 
    } 
    //Section4:-add character to array using pointers 
    for (int i=0;i<15;i++) 
    { 
    charBuffer[i] = line1[i%10]; 
    } 
    //section5:-address of characters in the array 
    for (int i=0;i<15;i++) 
    { 
    cout<<"Address of Character "<<i<<" is: "<<&charBuffer[i]<<"\n"; 
    } 
    char *p1; 
    p1 = &charBuffer[1]; 
    cout<<*p1<<endl; 
    cout<<charBuffer<<endl; 
    free(charBuffer); 
    return 0; 
} 

输出: -

8 
Address of Character 0 is: zyxwvutsrqzyxwv 
Address of Character 1 is: yxwvutsrqzyxwv 
Address of Character 2 is: xwvutsrqzyxwv 
Address of Character 3 is: wvutsrqzyxwv 
Address of Character 4 is: vutsrqzyxwv 
Address of Character 5 is: utsrqzyxwv 
Address of Character 6 is: tsrqzyxwv 
Address of Character 7 is: srqzyxwv 
Address of Character 8 is: rqzyxwv 
Address of Character 9 is: qzyxwv 
Address of Character 10 is: zyxwv 
Address of Character 11 is: yxwv 
Address of Character 12 is: xwv 
Address of Character 13 is: wv 
Address of Character 14 is: v 
y 
zyxwvutsrqzyxwv 

我想了解以下,

  1. 为什么CharBuffer的8的尺寸(见输出的第一行)虽然我已经分配了10的大小?
  2. 为什么我能够为charBuffer添加15个字符,尽管我已经使用malloc为10个字符分配了内存? (请参阅代码的第4部分)
  3. 为什么打印参考索引之后的字符而不是第5部分输出中相应字符的地址?
  4. 如何查找单个字符的地址?
  5. 当字符数组的元素被填满时,可以知道数组的大小吗?例如,在第3节的循环中显示sizeof(charbuffer),我们应该得到1,2,3 ..,10?
+0

Gees ...每个问题一个问题,请! –

+0

@LightnessRacesinOrbit对不起。但是当背景相同时发布5个背靠背问题是否可以? – Naveen

回答

4

为什么charBuffer 8的大小(请参阅输出的第一行)尽管我已经分配了大小10?

不是。您打印出指向该缓冲区的指针的大小。

为什么我能够向charBuffer添加15个字符,尽管我已经使用malloc为10个字符分配了内存?

你不是。相反,尽管如此,计算机不允许告诉你你的错误。你违反了记忆规则。

为什么打印参考索引之后的字符而不是第5部分输出中相应字符的地址?

由于插入char*到流触发格式插入,从而使流假定你流的C字符串。其中,你好,

如何找到单个字符的地址?

您可以编写static_cast<void*>(&charBuffer[i])以避免这种特殊情况的处理,并取而代之打印出地址。

当字符数组的元素被填满时,可以知道数组的大小吗?例如,在第3节的循环中显示sizeof(charbuffer),我们应该得到1,2,3 ..,10?

阵列永远不会改变的大小,只有要素的数量,你已经写了一个新的价值。您可以使用计数器变量来跟踪自己。

+0

非常感谢您的答案!再一次澄清。对于问题1,有没有办法找到malloc在堆中分配的内存块的大小? – Naveen

+0

@Naveen:编号 –

+0

“哪一个,你是。” - 他并不是因为他的代码中没有C字符串,而只是一个非终止的字符数组 –