1

似乎是一个简单的问题,但我无法解决它。

我有一个配置文件,我在其中声明了一些函数。它看起来像这样:

"bandDefinitions" : [
    {
        "0": ["x^2 + 2*x + 5 - y", "ABOVE"]
    },
    {
        "0": ["sin(6*x) - y", "UNDER"]
    },
    {
        "0": ["tan(x) - y", "ABOVE"]
    }
]

这些函数应该生成 3 张图像。每个图像都应根据方程的解填充,并提供位置(下或上)。我需要将坐标系移动到图像的中心,所以我要加入-y等式。应填充的图像部分应为白色,而另一部分应为黑色。

为了解释我的意思,我提供了二次函数和 sin 函数的图像。

在此处输入图像描述

罪

我正在做的是求解方程x in [-W/2, W/2]并将解存储到数组中,如下所示:

#Generates X axis dots and solves an expression which defines a band
#Coordinate system is moved to the center of the image
def __solveKernelDefinition(self, f):
    xAxis = range(-kernelSize, kernelSize)
    dots = []

    for x in xAxis:
        sol = f(x, kernelSize/2)
        dots.append(sol)

    print(dots)
    return dots

我正在测试某些像素是否应该像这样涂成白色:

def shouldPixelGetNoise(y, x, i, currentBand):
    shouldGetNoise = True

    for bandKey in currentBand.bandDefinition.keys():
        if shouldGetNoise:
            pixelSol = currentBand.bandDefinition[bandKey][2](x, y)
            renderPos = currentBand.bandDefinition[bandKey][1]
            bandSol = currentBand.bandDefinition[bandKey][0]
            shouldGetNoise = shouldGetNoise and pixelSol <= bandSol[i] if renderPos == Position.UNDER else pixelSol >= bandSol[i]
        else:
            break

    return shouldGetNoise

def kernelNoise(kernelSize, num_octaves, persistence, currentBand, dimensions=2):
    simplex = SimplexNoise(num_octaves, persistence, dimensions)
    data = []

    for i in range(kernelSize):
        data.append([])
        i1 = i - int(kernelSize / 2)

        for j in range(kernelSize):
            j1 = j - int(kernelSize / 2)
            if(shouldPixelGetNoise(i1, j1, i, currentBand)):
                noise = normalize(simplex.fractal(i, j, hgrid=kernelSize))
                data[i].append(noise * 255)
            else:
                data[i].append(0)

我只能得到凸二次函数的良好输出。如果我尝试将它们结合起来,我会得到一个黑色的图像。Sin根本不起作用。我看到这种蛮力方法不会把我带到任何地方,所以我想知道我应该使用什么算法来生成这些类型的图像?

4

1 回答 1

1

据我了解,您想绘制函数并在这些函数的上方下方填充。您可以通过在 中创建一个网格(即 2D 笛卡尔坐标系)numpy并在网格上定义您的函数来轻松做到这一点。

import numpy as np
import matplotlib.pyplot as plt
max_ax = 100

resolution_x = max_ax/5
resolution_y = max_ax/20
y,x = np.ogrid[-max_ax:max_ax+1, -max_ax:max_ax+1]
y,x = y/resolution_y, x/resolution_x

func1 = x**2 + 2*x + 5  <= -y


resolution_x = max_ax
resolution_y = max_ax
y,x = np.ogrid[-max_ax:max_ax+1, -max_ax:max_ax+1]
y,x = y/resolution_y, x/resolution_x

func2 = np.sin(6*x) <= y
func3 = np.tan(x) <= -y



fig,ax = plt.subplots(1,3)
ax[0].set_title('f(x)=x**2 + 2*x + 5')
ax[0].imshow(func1,cmap='gray')
ax[1].set_title('f(x)=sin(6*x)')
ax[1].imshow(func2,cmap='gray')
ax[2].set_title('f(x)=tan(x)')
ax[2].imshow(func3,cmap='gray')
plt.show()

地块

这是你想要的?

编辑:我调整了 x 轴和 y 轴的限制。因为,例如,sin(x)在 [-1,1] 范围之外没有多大意义。

于 2021-04-03T21:44:13.770 回答