0

I have looked over a lot of sample tutorials of Core plot but having issues in most of them. If Can anyone provide a working tutorial for creating line graph with data X=(Sep,Oct,Nov,Dec) and Y=(20,40,80,30) with X & Y axes also using Core Plot framework in iOS? Any code would be much helpful to me..

4

1 回答 1

3

如果您想在核心图中制作线性图,请记住一些事项。首先确保你的视图控制器能够绘制图形。您需要将其设为绘图委托、绘图数据源和绘图空间委托。

@interface ViewController : UIViewController <CPTScatterPlotDelegate, CPTPlotSpaceDelegate, CPTPlotDataSource>

这是在 .h 文件中添加的。**不要忘记也导入 CorePlot-cocoaTouch.h!

接下来,在视图中确实出现了您希望将变量放入数组的方法。这是我为制作快速线性图所做的示例。

- (void)viewDidAppear:(BOOL)animated
{
float b = 1;
float c = 5;

Xmax = 10;
Xmin = -10;
Ymax = 10;
Ymin = -10;

float inc = (Xmax - Xmin) / 100.0f;
float l = Xmin;

NSMutableArray *linearstuff = [NSMutableArray array];

for (int i = 0; i < 100; i ++)
{
    float y = (b * (l)) + c;
    [linearstuff addObject:[NSValue valueWithCGPoint:CGPointMake(l, y)]];
    NSLog(@"X and Y = %.2f, %.2f", l, y);
    l = l + inc;
}

self.data = linearstuff;
[self initPlot];
}

对 [self initPlot] 的调用调用一个函数来实际制作图形。它与那里的所有示例代码非常相似。

将数据放入数组后,接下来的事情就是按照您希望的方式制作图表。再次查看 configureHost、configure Graph 和类似内容的所有代码,它就在 Core Plot 网站上。另一个要记住的重要事情是 numberOfRecordsForPlot 方法。这是我的样本。这可以让您知道您有多少数据点。

- (NSUInteger)numberOfRecordsForPlot:(CPTPlot *)plot
{
return [_data count];
}

_data 是我用来存储所有内容的数组。接下来,您要绘制数据图表。使用 numberForPlot 方法。这里又是一个样本。

- (NSNumber *)numberForPlot:(CPTPlot *)plot field:(NSUInteger)fieldEnum recordIndex:(NSUInteger)index
{
NSLog(@"numberForPlot");
if ([plot.identifier isEqual:@"linear"])
{
    NSValue *value = [self.data objectAtIndex:index];
    CGPoint point = [value CGPointValue];

    // FieldEnum determines if we return an X or Y value.
    if (fieldEnum == CPTScatterPlotFieldX) 
    {
        return [NSNumber numberWithFloat:point.x];

    }
    else    // Y-Axis
    {
        return [NSNumber numberWithFloat:point.y];

    }
    NSLog(@"x is %.2f", point.x);
    NSLog(@"y is %.2f", point.y);
}
return [NSNumber numberWithFloat:0];
}

希望这会让你开始。Core Plot 是一种很好的图表方式,他们的网站充满了重要的信息。希望这可以帮助。

于 2013-02-21T16:25:16.630 回答