Blog>
Snippets

Debugging Column Pin Overlap Issues

Explain how to troubleshoot and resolve overlapping issues when pinning columns to the left or right, using specific CSS adjustments or configuration tweaks.
// Function to check if columns are overlapping
function checkColumnOverlap(gridInstance) {
  const pinnedLeftColumns = gridInstance.getColumnApi().getPinnedLeftColumns();
  const pinnedRightColumns = gridInstance.getColumnApi().getPinnedRightColumns();
  const allColumns = gridInstance.getColumnApi().getAllDisplayedColumns();

  // Calculate the total width of pinned columns
  const totalPinnedLeftWidth = pinnedLeftColumns.reduce((total, col) => total + col.actualWidth, 0);
  const totalPinnedRightWidth = pinnedRightColumns.reduce((total, col) => total + col.actualWidth, 0);

  // Get the grid's viewport width
  const gridWidth = gridInstance.gridPanel.eBodyViewport.clientWidth;

  // Check if the total width of pinned columns exceeds the grid's width
  if (totalPinnedLeftWidth + totalPinnedRightWidth > gridWidth) {
    console.warn('Pinned columns overlap due to insufficient grid width.');
    return true; // Indicates overlapping
  }
  return false; // No overlapping
}
This function checks if the sum of widths of pinned left and right columns exceeds the grid's viewport width, indicating an overlap. It utilizes the grid API to fetch columns and calculate their total widths.
// Adjusting column pinning to avoid overlap
function adjustColumnPinning(gridInstance) {
  if (checkColumnOverlap(gridInstance)) {
    // Example strategy: Unpin the rightmost pinned column
    const rightMostPinnedColumn = gridInstance.getColumnApi().getPinnedRightColumns().pop();
    if (rightMostPinnedColumn) {
      gridInstance.getColumnApi().setColumnPinned(rightMostPinnedColumn, null); // Unpin
      console.log(`Unpinned column: ${rightMostPinnedColumn.colId} to avoid overlap.`);
    }
  }
}
This function attempts to resolve column overlap by unpinning the rightmost pinned column when an overlap is detected. It calls the previous function to check for overlaps and adjusts the configuration to ensure columns do not overlap.