- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
我正在使用双 for 循环来检查从 (-2.0, -1.12) 到 (0.47, 1.12) 的矩形区域中的每个点(坐标对),看它是否属于 Mandelbrot 集。如果是,我想打印 1。同样,如果不是,我想打印 0。基本思想是逐行打印显示简化 Mandelbrot 集的字符数组。
这是我的主要功能:
#include <stdio.h>
#include "complex.h"
#include "mandelbrot.h"
#define STEP_X 0.06175
#define STEP_Y 0.07466
int main(void){
int i = 0;
char arr[50];
complex_t c, abs, max;
max.real = 10000;
max.imag = 0;
for (c.imag = -1.12; c.imag <= 1.12; c.imag += STEP_Y){
for (c.real = -2.0; c.real <= 0.47; c.real += STEP_X){
abs = abs_complex(mandelbrot(c,15));
if (abs.real < max.real){
arr[i] = 1;
i++;
}
else{
arr[i] = 0;
i++;
}
}
printf("%s", arr);
i = 0;
}
}
程序编译正常,但不产生输出。我知道我一定不能以正确的方式打印数组,但对于我来说,我无法弄清楚该怎么做。
我们将不胜感激任何反馈、提示或提示。
提前致谢!
最佳答案
您遇到的问题有两个方面。 (1) 您正在将十进制值复制到arr
(例如 0
和 1
)而不是 ASCII 字符( '0'
和 '1'
)。十进制 0
和 1
是不可打印的。具有讽刺意味的是十进制 0
是 nul-terminating 字符,所以如果 if (abs.real >= max.real)
对于 i == 0
arr
持有空字符串。
第二个电话printf
没有确保最终字符是 nul-terminating 字符。 (默认情况下,您可以通过初始化 char arr[MAXC] = "";
并确保您的循环仅限于 i + 1 < 50 && c.real <= 0.47
来执行此操作,或者您可以在调用 arr
之前简单地用 arr[i] = 0;
肯定地终止 i = 0;
(或将 i
的声明移到内部第一个 for
循环并初始化)。
这是未经测试的(我没有您的本地 header ),但看起来您是有意的:
#include <stdio.h>
#include "complex.h"
#include "mandelbrot.h"
#define MAXC 50
#define STEP_X 0.06175
#define STEP_Y 0.07466
int main(void){
complex_t c, abs, max;
max.real = 10000;
max.imag = 0;
for (c.imag = -1.12; c.imag <= 1.12; c.imag += STEP_Y) {
int i = 0; /* declare/initialize i & arr here */
char arr[MAXC] = ""; /* set to all zero */
for (c.real = -2.0;
i + 1 < MAXC && c.real <= 0.47; /* limit to 49 chars max */
c.real += STEP_X) {
abs = abs_complex (mandelbrot (c,15));
if (abs.real < max.real)
arr[i++] = '1'; /* assign character '1' */
else
arr[i++] = '0'; /* assign character '0' */
}
arr[i] = 0; /* nul-terminate line */
printf ("%s\n", arr); /* output line */
}
return 0;
}
试试吧,如果您还有其他问题,请告诉我。
关于c - 在遍历矩形区域中的每个点后打印整个字符数组,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/47298428/
我是一名优秀的程序员,十分优秀!