key word parameter

cat shell_script.ksh
x=$A
y=$B
export x
export y
echo $x
echo $y

when i am running this with a command

ksh shell_script.ksh -A 10 -B 20

its not showing anything ....
could you let me know how i can use key word type paramter

Not sure what you are trying to achieve, you could use positional shell parameters which are $1, $2, ... or getopts for example to use parameters like -A -B and so on.
You should only export variables if you want to use them in you environment for further usage.
For just echoing them it is not needed to export them at all.
Instead calling a ksh which executes the script, you can use a shebang in the 1st line of your script to make sure a ksh is being used like (change the path to where your ksh is located):

#!/usr/bin/ksh
...

Maybe you are ok with something like:

#!/usr/bin/ksh

x=$1
y=$2

echo $x
echo $y

exit 0

Calling this with

./myscript.ksh 10 20
10
20

If x and y is not needed you directly print out $1 and $2.

Something like:

while getopts A:B: ARG; do
  case "$ARG" in
    A)  x=$OPTARG;;
    B)  y=$OPTARG;;
  esac
done

echo $x
echo $y


./Test.ksh -A 10 -B 20
10
20