3

我正在尝试将一些功能逻辑移动到模型的方法中(而不是在视图中),我认为它属于:

class Spans(models.Model):
    snow = models.IntegerField()
    wind = models.IntegerField()
    exposure = models.CharField(max_length=1)
    module_length = models.IntegerField()
    max_roof_angle = models.IntegerField()
    building_height = models.IntegerField()
    importance_factor = models.IntegerField()
    seismic = models.DecimalField(max_digits=4, decimal_places=2)
    zone = models.IntegerField()
    profile = models.CharField(max_length=55)
    tilt_angle = models.IntegerField()
    span = models.DecimalField(max_digits=18, decimal_places=15)

    def get_spans(self, snow_load, wind_speed, module_length):
        """
        Function to get spans.
        """
        spans = self.objects.filter(
            snow=snow_load,
            wind=wind_speed,
            exposure='B',
            module_length__gte=module_length,
            max_roof_angle=45,
            building_height=30,
            importance_factor=1,
            seismic=1.2,
            zone=1,
            profile='worst'
        ).order_by('snow', 'module_length', 'span')
        return spans

但是,我有点不确定如何调用它。在我尝试过的外壳中:

>>> possible_spans = Spans.get_spans(0, 85, 54)

或者

>>> possible_spans = Spans.get_spans(Spans, 0, 85, 54)

但我收到一个错误:

TypeError: unbound method get_spans() must be called with Spans instance as first argument (got int instance instead) 

或者

TypeError: unbound method get_spans() must be called with Spans instance as first argument (got ModelBase instance instead)  

我知道我在这里遗漏了 python 逻辑中的一些基本内容,但我不确定它是什么。

任何帮助将非常感激。

4

1 回答 1

4

Method needs to be called either with the instance, as the method call makes it as the default self arg. For example,

instance = Spans.objects.get(id=1)
instance.get_spans(0, 85, 54)

Or if you can want to call using class itself. You would have to pass the instance manually

instance = Spans.objects.get(id=1)
Spans.get_spans(instance, 0, 85, 54)

Update: What you are looking for could be achieved using a static method

@staticmethod
def get_spans(snow_load, wind_speed, module_length):
        """
        Function to get spans.
        """
        spans = Spans.objects.filter(
            snow=snow_load,
            wind=wind_speed,
            exposure='B',
            module_length__gte=module_length,
            max_roof_angle=45,
            building_height=30,
            importance_factor=1,
            seismic=1.2,
            zone=1,
            profile='worst'
        ).order_by('snow', 'module_length', 'span')
        return spans

Now you could directly do,

Spans.get_spans(0, 85, 54)
于 2012-11-09T22:53:55.370 回答