Skip to main content

some draggable items are misplaced when using react-beautiful-dnd

I'm trying to use RBD for my task management app, After setting it up i noticed that sometimes when i drag and drop a task to a populated column, its inserted at another index that the one i was aiming for, for example if i place it at the top it gets placed at the index 1, which is second from the top, im not sure how or when this happens i was only able to find this problem at certain patterns, for example if 4 tasks start at the todo column and the 2 other columns are empty, then i drag the top task to the second column and back to the top of the first column, it gets placed below the current top one, but when i drag the top one from the todo to the second column, then drag the task that is now the top one in the todo to the top of the second column it works correctly, i cant find a pattern to debug i tried to use console.log all day to find a pattern but i cant find anything, i use filteredTasks state to render the tasks in my tsx incase any filters are applied, if no filters are applied it just contains all tasks, im going to provide my entire code but the only important parts are at the end, the return statement and the handleDragEnd():

// --------------------------------------------------------------
// Home page frontend code.
// --------------------------------------------------------------

'use client'
import React, { useEffect, useState } from 'react'
import NavBar from '../components/NavBar'
import ToolBar from '../components/ToolBar'
import ActionBar from '../components/ActionBar'
import Filter from '../components/Filter'
import plusIcn from '../../assets/icons/plus.svg'
import Card from '../components/Card'
import ReactDOM from 'react-dom'
import { useLocation } from 'react-router-dom'
import Footer from '../components/Footer'
import { User } from '../../app/User'
import { getAuth, onAuthStateChanged } from 'firebase/auth'
import {
    readUserDataFromDb,
    db,
    updateCurrentUserTasksDocument,
    updateTaskStatus,
    updateTasksOrder,
} from '../../firebase'
import { doc, onSnapshot } from 'firebase/firestore'
import { Task } from '../../app/Task'
import { hydrateRoot } from 'react-dom/client'
import { Skeleton } from 'antd'
import { parseDateFromString } from '../../app/Functions'

import { DragDropContext, Droppable, Draggable } from 'react-beautiful-dnd'

function Home() {
    const [user, setUser] = useState(null as unknown as User)
    const [isLoading, setIsLoading] = useState(true)

    const [isCol1Input, setIsCol1Input] = useState(false)
    const [isCol2Input, setIsCol2Input] = useState(false)
    const [isCol3Input, setIsCol3Input] = useState(false)

    const [filteredTasks, setFilteredTasks] = useState<any[]>([])

    const [appliedFilters, setAppliedFilters] = useState({
        categoryFilter: null as string[] | null,
        dateFilter: null as Date[] | null,
        priorityFilter: null as string[] | null,
    })

    const [tasks, setTasks] = useState(user ? user.taskArray : [])
    const location = useLocation()

    async function fetchUserData() {
        const auth = getAuth()
        onAuthStateChanged(auth, async (user) => {
            if (user) {
                const userData = await readUserDataFromDb(
                    getAuth().currentUser!.uid
                )
                console.log(userData)
                setUser(userData!)
                setIsLoading(false)
                setTasks(userData!.taskArray)
                setFilteredTasks(userData!.taskArray)
            }
        })
    }

    useEffect(() => {
        try {
            const cols = tasks.filter((task, index) => {
                const dueDate = parseDateFromString(task.dueDate)
                console.log(appliedFilters.priorityFilter)

                let dueDateDay
                let dueDateMonth
                let dueDateYear
                let startDay
                let startMonth
                let startYear
                let endDay
                let endMonth
                let endYear

                if (appliedFilters.dateFilter?.length !== 0) {
                    const dueDate = parseDateFromString(task.dueDate)
                    const startDate = appliedFilters.dateFilter![0]
                    const endDate = appliedFilters.dateFilter![1]

                    dueDateDay = dueDate.getDate()
                    dueDateMonth = dueDate.getMonth()
                    dueDateYear = dueDate.getFullYear()

                    startDay = startDate.getDate()
                    startMonth = startDate.getMonth()
                    startYear = startDate.getFullYear()

                    endDay = endDate.getDate()
                    endMonth = endDate.getMonth()
                    endYear = endDate.getFullYear()
                }

                const isCategoryFiltered =
                    appliedFilters.categoryFilter!.length === 0 ||
                    task.categories.some((category: string) =>
                        appliedFilters.categoryFilter!.includes(category)
                    )

                const isDateFiltered =
                    appliedFilters.dateFilter!.length === 0 ||
                    !appliedFilters.dateFilter ||
                    appliedFilters.dateFilter.length === 0 ||
                    ((dueDateYear! > startYear! ||
                        (dueDateYear! === startYear! &&
                            (dueDateMonth! > startMonth! ||
                                (dueDateMonth! === startMonth! &&
                                    dueDateDay! >= startDay!)))) &&
                        (dueDateYear! < endYear! ||
                            (dueDateYear! === endYear! &&
                                (dueDateMonth! < endMonth! ||
                                    (dueDateMonth! === endMonth! &&
                                        dueDateDay! <= endDay!)))))

                const isPriorityFiltered =
                    appliedFilters.priorityFilter!.length === 0 ||
                    appliedFilters.priorityFilter!.includes(
                        task.priority.charAt(0).toUpperCase() +
                            task.priority.slice(1)
                    )

                return (
                    (!appliedFilters.categoryFilter ||
                        appliedFilters.categoryFilter.length === 0 ||
                        isCategoryFiltered) &&
                    isDateFiltered &&
                    (!appliedFilters.priorityFilter ||
                        appliedFilters.priorityFilter.length === 0 ||
                        isPriorityFiltered)
                )
            })
            setFilteredTasks(cols)
        } catch {}
    }, [appliedFilters])

    const observer = new MutationObserver((mutationsList) => {
        for (const mutation of mutationsList) {
            if (mutation.type === 'childList') {
                if (
                    Array.from(mutation.removedNodes).some(
                        (node) =>
                            node instanceof HTMLElement &&
                            node.id === 'create-new-task'
                    )
                ) {
                    setIsCol1Input(false)
                    setIsCol2Input(false)
                    setIsCol3Input(false)
                }
            }
        }
    })

    useEffect(() => {
        async function fetchData() {
            await fetchUserData()
        }
        fetchData()
        const config = { childList: true, subtree: true }
        observer.observe(document.body, config)
    }, [])

    useEffect(() => {
        if (location.state?.createCardPop) {
            createCardPop()
        }
    }, [location])

    const handleFiltersUpdate = (filters: any) => {
        setAppliedFilters(filters)
    }

    function createCardPop(col = 'col-1') {
        const colEl = document.getElementById(col)
        const cardsDiv = colEl?.querySelector('.cards')
        cardsDiv?.scrollTo({
            top: 0,
            behavior: 'smooth',
        })
        const chk = document.getElementById('create-new-task')
        if (chk) {
            if (chk.closest('#' + col)) {
                return
            } else {
                chk?.remove()
            }
        }
        const container = document.createElement('div')
        container.id = 'create-new-task'
        ReactDOM.render(<Card type="create" />, container)
        const cards = colEl!.querySelector('.cards')
        cards!.insertBefore(container, cards!.childNodes[0])
        container.classList.add('show-pop')
    }

    const showFilters = () => {
        document
            .getElementById('filters-container')
            ?.classList.toggle('show-filters')
        document
            .getElementById('filters-container')
            ?.classList.toggle('hide-filters')
    }

    const handleDragEnd = (result: any) => {
        if (!result.destination) {
            return;
        }
        const sourceIndex = result.source.index;
        const destinationIndex = result.destination.index;
        const sourceColumnId = result.source.droppableId;
        const destinationColumnId = result.destination.droppableId;
        const draggedTask = filteredTasks[sourceIndex];
        console.log('current order: ', filteredTasks)
        console.log('sourceIndex: ', sourceIndex)
        console.log('destinationIndex: ', destinationIndex)
        console.log('sourceColumnId: ', sourceColumnId)
        console.log('destinationColumnId: ', destinationColumnId)
        console.log('dest: ', result.destination)

        const updatedFilteredTasks = [...filteredTasks];
        const taskIndex = tasks.findIndex((task) => task.id === draggedTask.id);
        updatedFilteredTasks[taskIndex].status = destinationColumnId;
        updatedFilteredTasks.splice(sourceIndex, 1);
        updatedFilteredTasks.splice(destinationIndex, 0, draggedTask);
        
        
        setFilteredTasks(updatedFilteredTasks);
        setTasks(updatedFilteredTasks);
    };
    
    return (
        <div id="home-body">
            <ToolBar loading={isLoading ? true : false} />
            <div id="home-content">
                <NavBar currentPage={'home'} />
                <div id="home-main">
                    <ActionBar
                        handleCreate={createCardPop}
                        handleFilters={showFilters}
                    />
                    <div id="home-main-content">
                        <DragDropContext onDragEnd={handleDragEnd}>
                            <div id="columns-container">
                            <Filter
                            hideFilters={showFilters}
                            handleFiltersUpdate={handleFiltersUpdate}
                        />
                                <div id="col-1" className="column">
                                    <div className="cards-status">
                                        <p>Todo</p>
                                        <div className="image-container">
                                            <img
                                                onClick={() => {
                                                    createCardPop('col-1')
                                                    setIsCol1Input(true)
                                                }}
                                                src={plusIcn}
                                                alt="plus icon"
                                            />
                                        </div>
                                    </div>
                                    <Droppable
                                        droppableId="todo"
                                        direction="vertical"
                                    >
                                        {(provided) => (
                                            <div
                                                className="cards"
                                                ref={provided.innerRef}
                                                {...provided.droppableProps}
                                            >
                                                {isLoading ? (
                                                    <>
                                                        <Skeleton active />
                                                        <Skeleton active />
                                                        <Skeleton active />
                                                    </>
                                                ) : filteredTasks.filter(
                                                      (t) => t.status == 'todo'
                                                  ).length == 0 &&
                                                  !isCol1Input ? (
                                                    <p id="col1-msg">
                                                        No tasks to do right
                                                        now. Add some tasks to
                                                        get started!
                                                    </p>
                                                ) : (
                                                    filteredTasks.map(
                                                        (task, index) =>
                                                            task.status ===
                                                                'todo' && (
                                                                <Draggable
                                                                    key={`card-container-${task.id}`}
                                                                    draggableId={`card-container-${task.id}`}
                                                                    index={
                                                                        index
                                                                    }
                                                                >
                                                                    {(
                                                                        provided
                                                                    ) => (
                                                                        <div
                                                                            ref={
                                                                                provided.innerRef
                                                                            }
                                                                            {...provided.draggableProps}
                                                                            {...provided.dragHandleProps}
                                                                            className="draggable-card"
                                                                            id={`card-container-${task.id}`}
                                                                            key={
                                                                                task.id
                                                                            }
                                                                        >
                                                                            <Card
                                                                                task={
                                                                                    task
                                                                                }
                                                                            />
                                                                        </div>
                                                                    )}
                                                                </Draggable>
                                                            )
                                                    )
                                                )}
                                                {provided.placeholder}
                                            </div>
                                        )}
                                    </Droppable>
                                </div>

                                <div id="col-2" className="column">
                                    <div className="cards-status">
                                        <p>In Progress</p>
                                        <div className="image-container">
                                            <img
                                                onClick={() => {
                                                    createCardPop('col-2')
                                                    setIsCol2Input(true)
                                                }}
                                                src={plusIcn}
                                                alt="plus icon"
                                            />
                                        </div>
                                    </div>
                                    <Droppable
                                        droppableId="inprogress"
                                        direction="vertical"
                                    >
                                        {(provided) => (
                                            <div
                                                className="cards"
                                                ref={provided.innerRef}
                                                {...provided.droppableProps}
                                            >
                                                {isLoading ? (
                                                    <>
                                                        <Skeleton active />
                                                        <Skeleton active />
                                                        <Skeleton active />
                                                    </>
                                                ) : filteredTasks.filter(
                                                      (t) =>
                                                          t.status ==
                                                          'inprogress'
                                                  ).length == 0 &&
                                                  !isCol2Input ? (
                                                    <p id="col2-msg">
                                                        No tasks in progress at
                                                        the moment. Keep up the
                                                        great work!
                                                    </p>
                                                ) : (
                                                    filteredTasks.map(
                                                        (task, index) =>
                                                            task.status ===
                                                                'inprogress' && (
                                                                <Draggable
                                                                    key={`card-container-${task.id}`}
                                                                    draggableId={`card-container-${task.id}`}
                                                                    index={
                                                                        index
                                                                    }
                                                                >
                                                                    {(
                                                                        provided
                                                                    ) => (
                                                                        <div
                                                                            ref={
                                                                                provided.innerRef
                                                                            }
                                                                            {...provided.draggableProps}
                                                                            {...provided.dragHandleProps}
                                                                            className="draggable-card"
                                                                            id={`card-container-${task.id}`}
                                                                            key={
                                                                                task.id
                                                                            }
                                                                        >
                                                                            <Card
                                                                                task={
                                                                                    task
                                                                                }
                                                                            />
                                                                        </div>
                                                                    )}
                                                                </Draggable>
                                                            )
                                                    )
                                                )}
                                                {provided.placeholder}
                                            </div>
                                        )}
                                    </Droppable>
                                </div>

                                <div id="col-3" className="column">
                                    <div className="cards-status">
                                        <p>Done</p>
                                        <div className="image-container">
                                            <img
                                                onClick={() => {
                                                    createCardPop('col-3')
                                                    setIsCol3Input(true)
                                                }}
                                                src={plusIcn}
                                                alt="plus icon"
                                            />
                                        </div>
                                    </div>
                                    <Droppable
                                        droppableId="done"
                                        direction="vertical"
                                    >
                                        {(provided) => (
                                            <div
                                                className="cards"
                                                ref={provided.innerRef}
                                                {...provided.droppableProps}
                                            >
                                                {isLoading ? (
                                                    <>
                                                        <Skeleton active />
                                                        <Skeleton active />
                                                        <Skeleton active />
                                                    </>
                                                ) : filteredTasks.filter(
                                                      (t) => t.status == 'done'
                                                  ).length == 0 &&
                                                  !isCol3Input ? (
                                                    <p id="col3-msg">
                                                        Congratulations! You've
                                                        completed all your
                                                        tasks.
                                                    </p>
                                                ) : (
                                                    filteredTasks.map(
                                                        (task, index) =>
                                                            task.status ===
                                                                'done' && (
                                                                <Draggable
                                                                    key={`card-container-${task.id}`}
                                                                    draggableId={`card-container-${task.id}`}
                                                                    index={
                                                                        index
                                                                    }
                                                                >
                                                                    {(
                                                                        provided
                                                                    ) => (
                                                                        <div
                                                                            ref={
                                                                                provided.innerRef
                                                                            }
                                                                            {...provided.draggableProps}
                                                                            {...provided.dragHandleProps}
                                                                            className="draggable-card"
                                                                            id={`card-container-${task.id}`}
                                                                            key={
                                                                                task.id
                                                                            }
                                                                        >
                                                                            <Card
                                                                                task={
                                                                                    task
                                                                                }
                                                                            />
                                                                        </div>
                                                                    )}
                                                                </Draggable>
                                                            )
                                                    )
                                                )}
                                                {provided.placeholder}
                                            </div>
                                        )}
                                    </Droppable>
                                </div>
                            </div>
                        </DragDropContext>
                    </div>
                </div>
            </div>
            <Footer />
        </div>
    )
}

export default Home

Via Active questions tagged javascript - Stack Overflow https://ift.tt/HdSxJQE

Comments

Popular posts from this blog

ValueError: X has 10 features, but LinearRegression is expecting 1 features as input

So, I am trying to predict the model but its throwing error like it has 10 features but it expacts only 1. So I am confused can anyone help me with it? more importantly its not working for me when my friend runs it. It works perfectly fine dose anyone know the reason about it? cv = KFold(n_splits = 10) all_loss = [] for i in range(9): # 1st for loop over polynomial orders poly_order = i X_train = make_polynomial(x, poly_order) loss_at_order = [] # initiate a set to collect loss for CV for train_index, test_index in cv.split(X_train): print('TRAIN:', train_index, 'TEST:', test_index) X_train_cv, X_test_cv = X_train[train_index], X_test[test_index] t_train_cv, t_test_cv = t[train_index], t[test_index] reg.fit(X_train_cv, t_train_cv) loss_at_order.append(np.mean((t_test_cv - reg.predict(X_test_cv))**2)) # collect loss at fold all_loss.append(np.mean(loss_at_order)) # collect loss at order plt.plot(np.log(al...

Sorting large arrays of big numeric stings

I was solving bigSorting() problem from hackerrank: Consider an array of numeric strings where each string is a positive number with anywhere from to digits. Sort the array's elements in non-decreasing, or ascending order of their integer values and return the sorted array. I know it works as follows: def bigSorting(unsorted): return sorted(unsorted, key=int) But I didnt guess this approach earlier. Initially I tried below: def bigSorting(unsorted): int_unsorted = [int(i) for i in unsorted] int_sorted = sorted(int_unsorted) return [str(i) for i in int_sorted] However, for some of the test cases, it was showing time limit exceeded. Why is it so? PS: I dont know exactly what those test cases were as hacker rank does not reveal all test cases. source https://stackoverflow.com/questions/73007397/sorting-large-arrays-of-big-numeric-stings

How to load Javascript with imported modules?

I am trying to import modules from tensorflowjs, and below is my code. test.html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>Document</title </head> <body> <script src="https://cdn.jsdelivr.net/npm/@tensorflow/tfjs@2.0.0/dist/tf.min.js"></script> <script type="module" src="./test.js"></script> </body> </html> test.js import * as tf from "./node_modules/@tensorflow/tfjs"; import {loadGraphModel} from "./node_modules/@tensorflow/tfjs-converter"; const MODEL_URL = './model.json'; const model = await loadGraphModel(MODEL_URL); const cat = document.getElementById('cat'); model.execute(tf.browser.fromPixels(cat)); Besides, I run the server using python -m http.server in my command prompt(Windows 10), and this is the error prompt in the console log of my browser: Failed to loa...