我正在构建一个应用程序,用于查找数据库中的每个电话号码。如果有重复,我想获取找到的第一个电话号码作为该电话的主记录,然后获取重复的信息(名称,位置),获取每个字段,然后将其添加到主记录电话中数字字段(名称,位置),以半冒号分隔。

检查找到的主要电话号码记录的重复信息后,结果将如下所示:

Name                      Location               Phone number
Helene,Sandra             New Yok, Boston        000-000


请在下面找到我的模型:

class Document(models.Model):
    name = models.CharField(null=True, max_length=254, blank=True)
    location = models.CharField(null=True, max_length=254, blank=True)
    phone_number = models.CharField(null=True, max_length=254, blank=True)


我对实现上述目标有些迷失。任何帮助将非常感激。

以下是到目前为止我尝试过的方法:(不起作用)

 from django.shortcuts import render
    from .models import Document

    def index(request):
        search_number = list(Document.objects.order_by('-created').values("phone_number").distinct().order_by()) # Dictionary list of all numbers sorted by creation data without duplicate

        for x in search_number:
            try:
                look_up = Document.objects.values("phone_number")
                list_in_dba = look_up.phone_number
                x in list_in_dba['phone_number']
                print("Yes")
            except:
                print("No")

        return render(request, 'snippets/index.html')

最佳答案

我将从这样的事情开始。

## this will get you all document records that have a duplicate phone-number
## and also group them by phone-number.
duplicate_phone_numbers = Document.objects.values('phone_number').\
    annotate(total_items=Count('phone_number')).order_by('-total_items').filter(total_items__gt=1)

for entry in duplicate_phone_numbers:
    records = Document.objects.filter(phone_number=entry.get('phone_number')
    ## unsure whether you want to just output the info here or
    ## update the actual record
    all_names = ''
    all_locations = ''
    for x in records:
        all_names += x.name + ";"
        all_locations += x.location + ";"
    print all_names, all_locations, entry.get('phone_number')
    # to update the actual record
    record = records[0]
    record.name = all_names
    record.location = all_locations
    record.save()

关于python - 在Django的数据库中查找电话号码后添加其他字段,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/54817674/

10-13 02:50