Skip to content

Development Evolution

George M. Dias edited this page Mar 29, 2023 · 10 revisions
updates.ts

Current Option Algorithm

Option 1 (not implemented)
export function getExistingDescribeFromControl1(control: Control): string {
   // Algorithm:
   //   Locate the start and end of the control string
   //   Update the end of the control that contains information (if empty lines are at the end of the control)
   //   loop: until the start index is changed (loop is done from the bottom up)
   //     Clean testing array entry line (removes any non-print characters)
   //     if: line starts with meta-information 'tag' or 'ref'
   //       set start index to found location
   //       break out of the loop
   //     end
   //   end
   //   Remove any empty lines after the start index (in any)
   //   Extract the describe block from the audit control given the start and end indices
   // Assumptions: 
   //  1 - The meta-information 'tag' or 'ref' precedes the describe block
   // Pros: Solves the potential issue with option 1, as the lookup for the meta-information
   //       'tag' or 'ref' is expected to the at the beginning of the line.
   if (control.code) {
     let existingDescribeBlock = ''
     let indexStart = control.code.toLowerCase().indexOf('control')
     let indexEnd = control.code.toLowerCase().trimEnd().lastIndexOf('end')
     const auditControl = control.code.substring(indexStart, indexEnd).split('\n')
 
     indexStart = 0
     indexEnd = auditControl.length - 1
     indexEnd = getIndexOfFirstLine(auditControl, indexEnd, '-')
     let index = indexEnd
 
     while (indexStart === 0) {
      // Look back 2 lines - Original looked behind 1 line
       const line = auditControl[index-1].toLowerCase().trim()
       if (line.indexOf('ref ') === 0 || line.indexOf('tag ') === 0 || line.indexOf('desc ') === 0) {
          console.log('LINE IS: ', line)
          indexStart = index + 1
       }
       index--
     }
 
     indexStart = getIndexOfFirstLine(auditControl, indexStart, '+')
     existingDescribeBlock = auditControl.slice(indexStart, indexEnd + 1).join('\n').toString()
 
     return existingDescribeBlock
   } else {
     return ''
   }
 }

Option 1 supporting function

/*
  Return first index found from given array that is not an empty entry (cell)
*/
function getIndexOfFirstLine(auditArray: string[], index: number, action: string): number {
  let indexVal = index;
  while (auditArray[indexVal] === '') {
    switch (action) {
      case '-':
        indexVal--
        break;
      case '+':
        indexVal++
        break;
    }
  }

  return indexVal
}
Option 2 (not implemented)
function getExistingDescribeFromControl(control: Control): string {
  // Algorithm: 
  //   Locate the index of the last occurrence of the meta-information 'tag'
  //   if: we have a tag do
  //     Place each line of the control code into an array
  //     loop: over the array starting at the end of the line the last meta-information 'tag' was found
  //       remove any empty before describe block content is found
  //       add found content to describe block variable, append EOL
  //     end
  //   end
  // Assumptions: 
  //  1 - The meta-information 'tag' precedes the describe block
  // Potential Problems:
  //  1 - The word 'tag' could be part of the describe block
  if (control.code) {
    let existingDescribeBlock = ''
    const lastTag = control.code.lastIndexOf('tag')
    if (lastTag > 0) {
      const tagEOL = control.code.indexOf('\n',lastTag)
      const lastEnd = control.code.lastIndexOf('end')    
      let processLine = false
      control.code.substring(tagEOL,lastEnd).split('\n').forEach((line) => {
        // Ignore any blank lines at the beginning of the describe block
        if (line !== '' || processLine) {
          existingDescribeBlock += line + '\n'
          processLine = true
        }
      })      
    }
    return existingDescribeBlock.trimEnd();
  } else {
    return ''
  }
}
The original code
function getExistingDescribeFromControl(control: Control): string {
  if (control.code) {
  let existingDescribeBlock = ''
  let currentQuoteEscape = ''
  const percentBlockRegexp = /%[qQrRiIwWxs]?(?<lDelimiter>[([{<])/;
  let inPercentBlock = false;
  let inQuoteBlock = false
  const inMetadataValueOverride = false
  let indentedMetadataOverride = false
  let inDescribeBlock = false;
  let mostSpacesSeen = 0;
  let lDelimiter = '(';
  let rDelimiter = ')';

  control.code.split('\n').forEach((line) => {
    const wordArray = line.trim().split(' ')
    const spaces = line.substring(0, line.indexOf(wordArray[0])).length

    if (spaces - mostSpacesSeen  > 10) {
      indentedMetadataOverride = true
    } else {
      mostSpacesSeen = spaces;
      indentedMetadataOverride = false
    }

    if ((!inPercentBlock && !inQuoteBlock && !inMetadataValueOverride && !indentedMetadataOverride) || inDescribeBlock) {
      if (inDescribeBlock && wordArray.length === 1 && wordArray.includes('')) {
        existingDescribeBlock += '\n'
      }
      // Get the number of spaces at the beginning of the current line
      else if (spaces >= 2) {
        const firstWord = wordArray[0]
        if (knownInSpecKeywords.indexOf(firstWord.toLowerCase()) === -1 || (knownInSpecKeywords.indexOf(firstWord.toLowerCase()) !== -1 && spaces > 2) || inDescribeBlock) {
          inDescribeBlock = true;
          existingDescribeBlock += line + '\n'
        }
      }
    }

    wordArray.forEach((word, index) => {
      const percentBlockMatch = percentBlockRegexp.exec(word); 
      if(percentBlockMatch && inPercentBlock === false) {
        inPercentBlock = true;
        // eslint-disable-next-line  @typescript-eslint/no-non-null-assertion
        lDelimiter = percentBlockMatch.groups!.lDelimiter || '(';
        switch(lDelimiter) { 
          case '{': { 
            rDelimiter = '}';
            break; 
          } 
          case '[': { 
            rDelimiter = ']';
            break; 
          } 
          case '<': { 
            rDelimiter = '>';
            break; 
          } 
          default: { 
            break; 
          } 
        }
                    
      }
      const charArray = word.split('')
      charArray.forEach((char, index) => {
        if (inPercentBlock) {
          if (char === rDelimiter && charArray[index - 1] !== '\\' && !inQuoteBlock) {
            inPercentBlock = false;
          }
        }
        if (char === '"' && charArray[index - 1] !== '\\') {
          if (!currentQuoteEscape || !inQuoteBlock) {
            currentQuoteEscape = '"'
          }
          if (currentQuoteEscape === '"') {
            inQuoteBlock = !inQuoteBlock
          }
        } else if (char === "'" && charArray[index - 1] !== '\\') {
          if (!currentQuoteEscape || !inQuoteBlock) {
            currentQuoteEscape = "'"
          }
          if (currentQuoteEscape === "'") {
            inQuoteBlock = !inQuoteBlock
          }
        }
      })
    })
  })
  // Take off the extra newline at the end
  return existingDescribeBlock.slice(0, -1)
  } else {
    return ''
  }
}
diffMarkdown.ts Removed unused function:
function getUpdatedCheckForId(id: string, profile: Profile) {
  const foundControl = profile.controls.find((control) => control.id === id);
  return _.get(foundControl?.descs, 'check') || 'Missing check';
}
global.ts Removed unused function:
const wrapAndEscapeQuotes = (s: string, lineLength?: number) =>
  escapeDoubleQuotes(wrap(s, lineLength)); // Escape backslashes and quotes, and wrap long lines
Clone this wiki locally