Giter Site home page Giter Site logo

jubintgh / stackoilflow Goto Github PK

View Code? Open in Web Editor NEW
0.0 1.0 0.0 453 KB

A clone of the Stack OverFlow Website that is centered around questions about cars

Shell 0.17% JavaScript 62.52% CSS 22.22% Pug 15.09%
javascript pug-template-engine expressjs postgresql

stackoilflow's Introduction

Contributors

David Mejia

Timothy Wieser

Jubin Taghdir

Cristhian Morales

Welcome to Stack-Oil-flow

Stack Oil flow is a social based platform that allows users to utilize question and answer based features to both share and gain Automotive based knowledge. The main goal of Stack Oil Flow is to cultivate an environment of automotive enthusiasts, both recreational and professional to come together over a shared passion.


Click here to see it in action!


Technologies Used

Stack Oil flow was built using JavaScript, PUG, and CSS. The main logic used was written in JavaScript and utilizes Express. The structure of the site is generated using PUG and CSS was used to style the generated PUG.


Main Features

Login and User Signup

Being a social platform a main feature of the site is the ability of the user to create an account and be able to sign in to participate in community discussions. The users passwords are protected by being stored using bcrypt password hashing. In addition to having an account theres is also authorization and authentication for the user that utilizes session based storage.


Click here create a Free account to explore


Questions and Answers

Another main function of Stack Oil Flow is the ability to post questions that are focused on automotive related topics as well as the ability for other users to answer those posted questions. There is a main questions page that dynamically updates the page based on the questions stored in the database and allows users to click on individual questions where they will be rerouted to that questions individual page where they can respond to that individual question. This Answer feature utilizes and API and ajax to dynamically update the page when you submit your answer without requiring a refresh of the page.


document.addEventListener('DOMContentLoaded', () => {
    const answerBtn = document.getElementById('submit-answer');
    answerBtn.addEventListener('click', async (e) => {
        e.preventDefault()

        const formVal = document.getElementById('textArea')
        const id = window.location.pathname.split('/')[2]
        const cs = document.getElementById("_csrf").value
        const text = await fetch("/answers", {
            method: "POST",
            headers: {
                "Content-Type": "application/json"
            },
            body: JSON.stringify({ answer_body: formVal.value, question_id: id, _csrf: cs }, formVal.value = "")
        })
        const result = await text.json();
        const container = document.getElementById('answer-container')
        container.innerHTML += `<div id="q-answers"> <p>${result.createAns.answer_body}</p></div>`

    })
})

Up Votes and Down Votes

The ability to up and down vote a question and answer is a key part of the user experience for the stack over flow community. This functions allows the users to up vote questions and answers so that other users can see which answers the community sees as most helpful or what questions are the most relevant. The voting functionality is handled on the individual question page where you can view and submit answers and includes a counter. There is also a counter rendered on the main questions page that tracks the number of like that individual question has gotten.


The logic for the counter on the main questions page is handed by first creating an object that we pass in each piece of information from the Questions database and includes the Answers and Question_likes database that is needed to be rendered via the PUG file. The votes portion is handled by a nested loop to iterate through each individual question then iterate through that questions likes to create a counter based on the true and false values stored in the database.


For more information on our Database structure check out our Wiki


class QuestionObject {
    constructor(id, title, body, answers, votes) {
        this.id = id,
        this.title = title,
        this.body = body,
        this.answers = answers,
        this.votes = votes
    }
}

router.get('/:id', requireAuth, csrfProtection, asyncHandler(async (req, res) => {
    let answersArr = []

    const questionsId = parseInt(req.params.id, 10)
    const question = await Question.findByPk(questionsId)
    const answers = await Answer.findAll({
        where: {
            question_id: req.params.id
        },
        include: [Question, Answer_like]
    })

    for (let i = 0; i < answers.length; i++) {
        let answer = answers[i]
        let answerVotes = answers[i].Answer_likes;
        let count = 0

        for (let j = 0; j < answerVotes.length; j++) {
            let answerLikes = answerVotes[j].answer_votes
            if (answerLikes === true) count++
            else if (answerLikes === false) count--
        }

        let newAnswer = new AnswerObject(answer.id, answer.answer_body, answer.user_id, count)
        answersArr.push(newAnswer)
    }

In order to handle the actual voting portion of the logic, both answer and question voting was handled through the use ajax on the front end in order to ensure a smooth experience for the user. In order to implement this we have set up event listeners on all of the answer and question buttons that are created dynamically. After One of them is clicked it is determined if the click on the page was connected to an up vote or a down vote and that information is passed along where the answer or question id is extracted and sent to the back end where it can be stored into the database. It then seamlessly updates the counter using the same logic as the code above.


 document.addEventListener("click", e => {
        e.stopPropagation();
        const isButton = e.target.nodeName === 'BUTTON';
        if(!isButton){
            return
        } else {

            const vote = e.target.className;
            const answerId = e.target.id;
            const votes = document.querySelector(`.answer_vote_${answerId}`);

            if(vote === "answer_upvote"){
                const upvote = async () => {
                    e.preventDefault();
                    const res = await fetch(`/votes/answers/${answerId}/upvote`, {
                        method: "POST",
                    });
                    const json = await res.json();
                    if(!res.ok) 
                    votes.innerHTML = json.voteCount;
                }

                upvote();
  • The above code is an example of how the upvote for answers is handled. Similar Logic is applied to down vote feature as well as the votes associated to the questions page.

Search

The Final primary feature of Stack Oil Flow is the utilization of a search feature. The search feature is available via the navigation bar which is carried across every page of the site. In order to handle the search feature logic, after a key word is entered into the search bar and the user hits enter the information is sent and filtered through the database where question titles that contain the searched information will be populated onto the the questions page. The


    searchbar.addEventListener("keypress", async(e) => {
        const res = await fetch("/search");
        const result = await res.json();

        const filtered = result.questionsArr.filter(obj => {
           return obj.title.toLowerCase().includes(e.target.value.toLowerCase())
        })
        if (e.key === "Enter") {
            if (filtered.length) {

                const filteredQs = filtered.map(q => {
                    return `<div class="question_div">
                                <div class="stats">
                                    <div class="votes_div">
                                        <p>${q.votes}</p>
                                        <p>Votes</p>
                                    </div>
                                    <div class="answers_div">
                                        <p>${q.answers.length}</p>
                                        <p>Answers</p>
                                    </div>
                                </div>
                                <div class="content_div">
                                    <a href="/questions/${q.id}">${q.title}</a>
                                    <p>${q.body}</p>
                                </div>
                            </div>`
                })

stackoilflow's People

Contributors

jubintgh avatar david7mejia avatar tswieser avatar crismtech95 avatar

Watchers

 avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.