在CS50的pset3中,我们应该理解notes.c文件:
///输出WAV文件的频率并以八度为单位输出所有音符
#include <cs50.h>
#include <stdio.h>
#include <string.h>
#include "helpers.h"
#include "wav.h"
// Notes in an octave
const string NOTES[] = {"C", "C#", "D", "D#", "E", "F",
"F#", "G", "G#", "A", "A#", "B"
};
// Default octave
#define OCTAVE 4
int main(int argc, string argv[])
{
// Override default octave if specified at command line
int octave = OCTAVE;
if (argc == 2)
{
octave = atoi(argv[1]);
if (octave < 0 || octave > 8)
{
fprintf(stderr, "Invalid octave\n");
return 1;
}
}
else if (argc > 2)
{
fprintf(stderr, "Usage: notes [OCTAVE]\n");
return 1;
}
// Open file for writing
song s = song_open("notes.wav");
// Add each semitone
for (int i = 0, n = sizeof(NOTES) / sizeof(string); i < n; i++)
{
// Append octave to note
char note[4];
sprintf(note, "%s%i", NOTES[i], octave);
// Calculate frequency of note
int f = frequency(note);
// Print note to screen
printf("%3s: %i\n", note, f);
// Write (eighth) note to file
note_write(s, f, 1);
}
// Close file
song_close(s);
}
我无法理解的部分是:
for(int i = 0,n = sizeof(NOTES)/ sizeof(string); i 要使 不太确定它指的是什么。sizeof(string)
起作用,代码中是否不需要有一个名为string
的变量?例如实际称为string
的字符串?
答案 0 :(得分:4)
sizeof
可以用于变量/表达式以及类型。这里,string
是类型,而NOTES
是变量(数组)的实例。
问题的根源是CS-50 typedef char* string;
引起的。总体而言,该代码是混淆的完美示例。将指针隐藏在typedefs后面是公认的可怕做法。
代码实际上是这样的:
const char* NOTES[] = { ...
...
sizeof(NOTES) / sizeof(NOTES[0])
如果它是如上所述编写的,那么毫无疑问它会做什么:将数组的大小除以每个单个成员的大小,以获取数组中的项目数。
我建议您停止使用CS-50教程。
答案 1 :(得分:2)
要使
sizeof(string)
工作,在代码中的某个地方是否需要一个名为string
的变量?
不是,sizeof
运算符可用于“类型”的操作数,例如sizeof(int)
。引用规范(强调矿)
sizeof
运算符产生其操作数的大小(以字节为单位),可能是 表达式或带括号的类型名称。 [....]
您可以在代码中看到string
类型的用法:
const string NOTES[] = {"C", "C#", "D", "D#", "E", "F",
"F#", "G", "G#", "A", "A#", "B"
};
因此,NOTES
是 type 类型的数组 string
,string
是此处的类型名称。
表达式
for (int i = 0, n = sizeof(NOTES) / sizeof(string); i < n; i++)
是非常可怜的尝试对数组中的成员进行计数,它可能被重写为
for (int i = 0, n = sizeof(NOTES) / sizeof(NOTES[0]); i < n; i++)
出于可读性的考虑,基本上将整个数组的大小除以一个元素的大小,从而产生成员数。
要添加确切的来源,Check the header file <cs50.h>
,string
被定义为此处的类型。
确切的定义是:
/**
* Our own data type for string variables.
*/
typedef char *string;