I've read in the docs and stackoverflow but i cant figure out why my foreign key following isnt working, django just says that there is no such attribute as vote_story_set.all().
I have a table named story and one named vote_story and the story table has several foreign keys like a foreign to vote_story to get the number of votes for a news story.
According to the docs and the detailed answer here: *_set attributes on Django Models i created an object like this:
all_stories = Story.objects.all()
votes = all_stories.vote_story_set.all()
but this doesnt work since django says that there is no such attribute as "vote_story_set". The database table for story has the 'votes' attribute as a foreign key to the table Votes_story. From the examples ive seen this should be working so i dont understand why it doesnt. There is no foreign keys in the Votes_story table, just a primay key and the attribute 'votes' containing the number of votes.
Update: Models and template is shown below for Story and Vote_story as well as the relevant view.
Models:
class Story(models.Model):
    story_id = models.IntegerField(primary_key=True)
    date_added = models.DateTimeField(auto_now_add=True)
    date_modified = models.DateTimeField(auto_now=True)
    title = models.CharField(max_length=150)
    description = models.CharField(blank=True, null=True, max_length=2000)
    story_text = models.TextField()
    picture = models.ImageField(blank=True, null=True, upload_to="story/images")
    storyAccessLevelID = models.ForeignKey(StoryAccessLevel)
    categoryID = models.ForeignKey(Category)
    votes = models.ForeignKey(Vote_story, blank=True, null=True)
    comments = models.ForeignKey(Comment, blank=True, null=True)
   def __unicode__(self):
        return self.title
class Vote_story(models.Model):
    votes = models.IntegerField()
    def __unicode__(self):
        return self.votes
In the file Vote_story is defined above Story so it can find it. In Vote_story i let django create the primary key automatically unlike Story. There is currently one vote for one of the stories added.
Template code (the relevant portion):
<table class="table table-hover">
    <thead>
        <tr>
            <th>Title</th>
            <th>Description</th>
            <th>Date added</th>
            <th>Votes</th>
            <th>Comments</th>
        </tr>
    </thead>
    <tbody>
        {% for story in all_stories %}
        <tr>
            <td><a href="/story/details/{{ story.story_id }}">{{ story.title }}</a></td>
            <td>{{ story.description }}</td>
            <td>{{ story.date_added }}</td>
            <td>{{ story.votes }}</td>
            <td>{{ story.comments }}</td>
        </tr>
        {% endfor %}
    </tbody>
</table>
The view is like this:
def list_all_stories(request):
    """ Show all stories """
    all_stories = Story.objects.all()
    return render(request, "base/story/all_stories.html", {'all_stories': all_stories})
 
    