我正在尝试在C++上移植一维柏林噪音教程



我正试图使用SFMl-lib:(javascript中的教程链接(在C++上移植1D perlin noise教程https://codepen.io/Tobsta/post/procedural-generation-part-1-1d-perlin-noise

然而,这不起作用,我没有得到任何错误,但这就是我得到的:https://i.stack.imgur.com/TPMYY.png。基本上是一条直线

这就是我应该得到的:https://i.stack.imgur.com/9J8FG.png

以下是来自上述链接的移植代码:

TerrainBorder构造函数:

TerrainBorder::TerrainBorder(sf::RenderWindow &window) {
M = 4294967296;
A = 1664525;
C = 1;
std::random_device rd;
std::mt19937 rng(rd());
std::uniform_int_distribution<int> dist(0, M);
Z = floor(dist(rng) * M);
x = 0;
y = window.getSize().y / 2.0f;
amp = 100;
wl = 100;
fq = 1.0f / wl;
a = rand();
b = rand();
ar = sf::VertexArray(sf::Points);
}

功能:

double TerrainBorder::rand()
{
Z =  (A * Z + C) % M;
return Z / M - 0.5;
}
double TerrainBorder::interpolate(double pa, double pb , double px) {
double ft = px * PI,
f = (1 - cos(ft)) * 0.5;
return pa * (1 - f) + pb * f;
}
void TerrainBorder::drawPoints(sf::RenderWindow &window) {
while (x < window.getSize().x) {
if (static_cast<int> (x) % wl == 0) {
a = b;
b = rand();
y = window.getSize().y / 2 + a * amp;
} else {
y = window.getSize().y / 2 + interpolate(a, b, static_cast<int> (x) 
% wl / wl) * amp;
}
ar.append(sf::Vertex(sf::Vector2f(x, y)));
x += 1;
}
}

然后我画sf::VectorArray(它包含游戏循环中的所有sf::Vertex

我还是解决了我的问题ty的答案:(我不得不处理类型问题:p

我发现:

double c = x % 100 / 100;
std::cout << c << std::endl; // 0

!=

double c = x % 100;
std::cout << c / 100 << std::endl; // Some numbers depending on x

如果它能在未来帮助任何人:(

C++需要仔细选择数字变量的类型,以避免溢出和意外转换。

OP问题中显示的代码段没有指定MAZ的类型,而是使用intstd::uniform_int_distribution,而在大多数实现中,M的初始化值超出了int的范围。

同样值得注意的是,标准库已经提供了std::linear_congruential_engine:

#include <iostream>
#include <random>
int main()
{
std::random_device rd;
std::mt19937 rng(rd());
// Calculate the first value
constexpr std::size_t M = 4294967296;
std::uniform_int_distribution<std::size_t> ui_dist(0, M);
std::size_t Z = ui_dist(rng); 
// Initialize the engine
static std::linear_congruential_engine<std::size_t, 1664525, 1, M> lcg_dist(Z);
// Generate the values
for (int i = 0; i < 10; ++i)
{
Z = lcg_dist();
std::cout << Z / double(M) << 'n'; // <- To avoid an integer division
}
}

相关内容

  • 没有找到相关文章

最新更新