An awk-only answer (as the OP requested) for GNU awk would be:
awk -F',' '{print > gensub(/[[:space:]]+/,"_","g",$3) ".csv"}' data.csv
An awk-only answer for any POSIX awk if your input is small enough such that you can't exceed the "too many open files" threshold would be:
awk -F',' '{out=$3 ".csv"; gsub(/[[:space:]]+/,"_",out); print > out}' data.csv
An awk-only answer for any POSIX awk if you might exceed the "too many open files" threshold would be:
awk -F',' '{out=$3 ".csv"; gsub(/[[:space:]]+/,"_",out); if (!seen[$3]++) printf "" > out; print >> out; close(out)}' data.csv
but that last would be slow as it's closing and reopening the output file for every write and it assumes you can store every $3 value in memory. You can make it a bit more efficient by only closing the output file if/when it changes:
awk -F',' '$3 != prev {close(out); out=$3 ".csv"; gsub(/[[:space:]]+/,"_",out); if (!seen[$3]++) printf "" > out; prev=$3} {print >> out}' data.csv
If you're OK with an answer that's not awk-only though, then using the DSU (Decorate/Sort/Undecorate) idiom using any POSIX awk, sort, and cut, the following will work efficiently and robustly for any size of input file that sort can handle (and it's designed to use demand paging, etc. to handle extremely large files), and for any number of output files:
$ cat tst.sh
#!/usr/bin/env bash
awk '
    BEGIN{ FS=OFS="," }
    { print $3,NR,$0 }
' "${@:-}" |
sort -t',' -k1,1 -k2,2n |
cut -d',' -f3- |
awk '
    BEGIN{ FS=OFS="," }
    $3 != prev {
        close(out)
        out = $3 ".csv"
        gsub(/[[:space:]]+/,"_",out)
        prev = $3
    }
    { print > out }
'
$ ./tst.sh data.csv
$ head *.csv
==> data.csv <==
1,avocado,mexican green fruit
1,kiwi,green fruit
1,banana,yellow fruit
1,mango,yellow fruit
==> green_fruit.csv <==
1,kiwi,green fruit
==> mexican_green_fruit.csv <==
1,avocado,mexican green fruit
==> yellow_fruit.csv <==
1,banana,yellow fruit
1,mango,yellow fruit
For more info on DSU see https://stackoverflow.com/questions/71691113/how-to-sort-data-based-on-the-value-of-a-column-for-part-multiple-lines-of-a-f/71694367#71694367.