The best approach I could find was to write my own typemap. I had been hoping for a few trivial SWIG instructions.
In case anyone else needs this, here's how I did it. Bear in mind that I am not a SWIG expert.
First, you need to define some typemaps to be applied to std::string& arguments. You only have to define these once. (Note: there are additional typemaps that may be required in some configurations.)
%typemap(jni) std::string *INOUT, std::string &INOUT %{jobjectArray%}
%typemap(jtype) std::string *INOUT, std::string &INOUT "java.lang.String[]"
%typemap(jstype) std::string *INOUT, std::string &INOUT "java.lang.String[]"
%typemap(javain) std::string *INOUT, std::string &INOUT "$javainput"
%typemap(in) std::string *INOUT (std::string strTemp ), std::string &INOUT (std::string strTemp ) {
if (!$input) {
SWIG_JavaThrowException(jenv, SWIG_JavaNullPointerException, "array null");
return $null;
}
if (JCALL1(GetArrayLength, jenv, $input) == 0) {
SWIG_JavaThrowException(jenv, SWIG_JavaIndexOutOfBoundsException, "Array must contain at least 1 element");
return $null;
}
jobject oInput = JCALL2(GetObjectArrayElement, jenv, $input, 0);
if ( NULL != oInput ) {
jstring sInput = static_cast<jstring>( oInput );
const char * $1_pstr = (const char *)jenv->GetStringUTFChars(sInput, 0);
if (!$1_pstr) return $null;
strTemp.assign( $1_pstr );
jenv->ReleaseStringUTFChars( sInput, $1_pstr);
}
$1 = &strTemp;
}
%typemap(freearg) std::string *INOUT, std::string &INOUT ""
%typemap(argout) std::string *INOUT, std::string &INOUT
{
jstring jStrTemp = jenv->NewStringUTF( strTemp$argnum.c_str() );
JCALL3(SetObjectArrayElement, jenv, $input, 0, jStrTemp );
}
Next, for each C++ argument pattern like this ...
void foo( std::string & xyzzy );
void bar( std::string & xyzzy );
void baz( ..., std::string & xyzzy, ... );
... you apply the typemaps above with this SWIG directive:
%apply std::string &INOUT { std::string & xyzzy };
The resulting bindings look like this:
public void foo( java.lang.String[] xyzzy );
public void bar( java.lang.String[] xyzzy );
public void baz( ..., java.lang.String[] xyzzy, ... );
They each require a one-element String array. On entry, the first element may be null. If non-null, it is converted to a UTF-8 std::string value and passed to the C++ function. On exit, the value of the std::string passed by reference is converted back from UTF-8 to a Java String.