What I wanted to do was turn a CSV file that had data like this:
 Input CSV File
1,2,"3,4",5
1,2,3,4,5
...into something more usable for me like this:
 Output PSV File
1|2|3,4|5
1|2|3|4|5
Using the last example in the article I've linked to above I came up with a script to convert the CSV file (with commas in quotes) to a pipe separated file (PSV). With a bit of Bash and Awk, the code looks like this:
 Bash and Awk
INPUT_CSV_FILE="input_file.csv"
OUTPUT_PSV_FILE="output_file.txt"
awk 'BEGIN { l=0 }
{
 c=0 
 $0=$0"," 
 while($0) { 
  match($0,/ *"[^"]*" *,|[^,]*,/) 
  f=substr($0,RSTART,RLENGTH) 
  gsub(/^ *"?|"? *,$/,"",f) 
  c++
  if (c == 1 && l > 0) printf "\n"
  if (c > 1) printf "|"
  printf("%s", f)
  l++
  $0=substr($0,RLENGTH+1)
 }
}' "$INPUT_CSV_FILE" > "$OUTPUT_PSV_FILE"
It's a bit ugly, but it works.
-i
