[python] 동적 선택 필드 작성

장고에서 동적 선택 필드를 만드는 방법을 이해하려고하는데 문제가 있습니다. 다음과 같은 모델을 설정했습니다.

class rider(models.Model):
     user = models.ForeignKey(User)
     waypoint = models.ManyToManyField(Waypoint)

class Waypoint(models.Model):
     lat = models.FloatField()
     lng = models.FloatField()

내가하려는 것은 선택 사항을 만드는 것입니다. 필드 whos 값은 해당 라이더 (로그인 한 사람)와 관련된 웨이 포인트입니다.

현재 다음과 같이 내 형식으로 init를 재정의하고 있습니다.

class waypointForm(forms.Form):
     def __init__(self, *args, **kwargs):
          super(joinTripForm, self).__init__(*args, **kwargs)
          self.fields['waypoints'] = forms.ChoiceField(choices=[ (o.id, str(o)) for o in Waypoint.objects.all()])

그러나 모든 것은 모든 웨이 포인트를 나열하는 것이며, 특정 라이더와 관련이 없습니다. 어떤 아이디어? 감사.



답변

사용자를 양식 init에 전달하여 경유지를 필터링 할 수 있습니다.

class waypointForm(forms.Form):
    def __init__(self, user, *args, **kwargs):
        super(waypointForm, self).__init__(*args, **kwargs)
        self.fields['waypoints'] = forms.ChoiceField(
            choices=[(o.id, str(o)) for o in Waypoint.objects.filter(user=user)]
        )

양식을 시작하는 동안 사용자의 입장에서

form = waypointForm(user)

모델 형태의 경우

class waypointForm(forms.ModelForm):
    def __init__(self, user, *args, **kwargs):
        super(waypointForm, self).__init__(*args, **kwargs)
        self.fields['waypoints'] = forms.ModelChoiceField(
            queryset=Waypoint.objects.filter(user=user)
        )

    class Meta:
        model = Waypoint


답변

문제에 대한 솔루션이 내장되어 있습니다 : ModelChoiceField .

일반적으로 ModelForm데이터베이스 객체를 생성 / 변경해야 할 때 항상 사용하는 것이 좋습니다 . 사례의 95 %에서 작동하며 자체 구현을 만드는 것보다 훨씬 깨끗합니다.


답변

문제는 당신이 할 때입니다

def __init__(self, user, *args, **kwargs):
    super(waypointForm, self).__init__(*args, **kwargs)
    self.fields['waypoints'] = forms.ChoiceField(choices=[ (o.id, str(o)) for o in Waypoint.objects.filter(user=user)])

업데이트 요청에서 이전 값이 손실됩니다!


답변

초기화하는 동안 라이더 인스턴스를 폼에 전달하는 것은 어떻습니까?

class WaypointForm(forms.Form):
    def __init__(self, rider, *args, **kwargs):
      super(joinTripForm, self).__init__(*args, **kwargs)
      qs = rider.Waypoint_set.all()
      self.fields['waypoints'] = forms.ChoiceField(choices=[(o.id, str(o)) for o in qs])

# In view:
rider = request.user
form = WaypointForm(rider) 


답변

일반적인 선택 필드가있는 작업 솔루션 아래. 내 문제는 각 사용자가 몇 가지 조건에 따라 자체 CUSTOM 선택 필드 옵션을 가지고 있다는 것입니다.

class SupportForm(BaseForm):

    affiliated = ChoiceField(required=False, label='Fieldname', choices=[], widget=Select(attrs={'onchange': 'sysAdminCheck();'}))

    def __init__(self, *args, **kwargs):

        self.request = kwargs.pop('request', None)
        grid_id = get_user_from_request(self.request)
        for l in get_all_choices().filter(user=user_id):
            admin = 'y' if l in self.core else 'n'
            choice = (('%s_%s' % (l.name, admin)), ('%s' % l.name))
            self.affiliated_choices.append(choice)
        super(SupportForm, self).__init__(*args, **kwargs)
        self.fields['affiliated'].choices = self.affiliated_choice


답변

Breedly와 Liang이 지적한 것처럼 Ashok의 솔루션은 양식을 게시 할 때 선택 가치를 얻지 못하게합니다.

약간 다르지만 여전히 불완전한 방법은 다음과 같습니다.

class waypointForm(forms.Form):
    def __init__(self, user, *args, **kwargs):
        self.base_fields['waypoints'].choices = self._do_the_choicy_thing()
        super(waypointForm, self).__init__(*args, **kwargs)

그러나 일부 동시성 문제가 발생할 수 있습니다.


답변

필드를 양식의 1 급 속성으로 선언하고 선택 사항을 동적으로 설정할 수 있습니다.

class WaypointForm(forms.Form):
    waypoints = forms.ChoiceField(choices=[])

    def __init__(self, user, *args, **kwargs):
        super().__init__(*args, **kwargs)
        waypoint_choices = [(o.id, str(o)) for o in Waypoint.objects.filter(user=user)]
        self.fields['waypoints'].choices = waypoint_choices

ModelChoiceField를 사용하고 비슷한 방식으로 init에 쿼리 셋을 설정할 수도 있습니다.