privateCallAdapter<T,R>createCallAdapter(){TypereturnType=method.getGenericReturnType();//获取返回值//校验返回值类型if(Utils.hasUnresolvableType(returnType)){throwmethodError("Method return type must not include a type variable or wildcard: %s",returnType);}if(returnType==void.class){throwmethodError("Service methods cannot return void.");}Annotation[]annotations=method.getAnnotations();try{//noinspection unchecked//调用Retrofit的 callAdapter方法来获取CallAdapterreturn(CallAdapter<T,R>)retrofit.callAdapter(returnType,annotations);}catch(RuntimeExceptione){// Wide exception range because factories are user code.throwmethodError(e,"Unable to create call adapter for %s",returnType);}}
publicServiceMethodbuild(){callAdapter=createCallAdapter();//创建CallAdapterresponseType=callAdapter.responseType();//获取返回值类型if(responseType==Response.class||responseType==okhttp3.Response.class){throwmethodError("'"+Utils.getRawType(responseType).getName()+"' is not a valid response body type. Did you mean ResponseBody?");}responseConverter=createResponseConverter();//创建ResponseConverterfor(Annotationannotation:methodAnnotations){parseMethodAnnotation(annotation);//遍历解析方法注解}if(httpMethod==null){throwmethodError("HTTP method annotation is required (e.g., @GET, @POST, etc.).");}if(!hasBody){if(isMultipart){throwmethodError("Multipart can only be specified on HTTP methods with request body (e.g., @POST).");}if(isFormEncoded){throwmethodError("FormUrlEncoded can only be specified on HTTP methods with "+"request body (e.g., @POST).");}}intparameterCount=parameterAnnotationsArray.length;//获取参数注解长度parameterHandlers=newParameterHandler<?>[parameterCount];//创建参数处理的数组//遍历每个参数for(intp=0;p<parameterCount;p++){TypeparameterType=parameterTypes[p];//校验每个参数的类型if(Utils.hasUnresolvableType(parameterType)){throwparameterError(p,"Parameter type must not include a type variable or wildcard: %s",parameterType);}//单个参数上的注解Annotation[]parameterAnnotations=parameterAnnotationsArray[p];if(parameterAnnotations==null){throwparameterError(p,"No Retrofit annotation found.");}parameterHandlers[p]=parseParameter(p,parameterType,parameterAnnotations);}if(relativeUrl==null&&!gotUrl){throwmethodError("Missing either @%s URL or @Url parameter.",httpMethod);}if(!isFormEncoded&&!isMultipart&&!hasBody&&gotBody){throwmethodError("Non-body HTTP method cannot contain @Body.");}if(isFormEncoded&&!gotField){throwmethodError("Form-encoded method must contain at least one @Field.");}if(isMultipart&&!gotPart){throwmethodError("Multipart method must contain at least one @Part.");}returnnewServiceMethod<>(this);}
privatevoidparseMethodAnnotation(Annotationannotation){if(annotationinstanceofDELETE){parseHttpMethodAndPath("DELETE",((DELETE)annotation).value(),false);}elseif(annotationinstanceofGET){parseHttpMethodAndPath("GET",((GET)annotation).value(),false);}elseif(annotationinstanceofHEAD){parseHttpMethodAndPath("HEAD",((HEAD)annotation).value(),false);if(!Void.class.equals(responseType)){throwmethodError("HEAD method must use Void as response type.");}}elseif(annotationinstanceofPATCH){parseHttpMethodAndPath("PATCH",((PATCH)annotation).value(),true);}elseif(annotationinstanceofPOST){parseHttpMethodAndPath("POST",((POST)annotation).value(),true);}elseif(annotationinstanceofPUT){parseHttpMethodAndPath("PUT",((PUT)annotation).value(),true);}elseif(annotationinstanceofOPTIONS){parseHttpMethodAndPath("OPTIONS",((OPTIONS)annotation).value(),false);}elseif(annotationinstanceofHTTP){HTTPhttp=(HTTP)annotation;parseHttpMethodAndPath(http.method(),http.path(),http.hasBody());}elseif(annotationinstanceofretrofit2.http.Headers){String[]headersToParse=((retrofit2.http.Headers)annotation).value();if(headersToParse.length==0){throwmethodError("@Headers annotation is empty.");}headers=parseHeaders(headersToParse);}elseif(annotationinstanceofMultipart){if(isFormEncoded){throwmethodError("Only one encoding annotation is allowed.");}isMultipart=true;}elseif(annotationinstanceofFormUrlEncoded){if(isMultipart){throwmethodError("Only one encoding annotation is allowed.");}isFormEncoded=true;}}
/** Builds an HTTP request from method arguments. */RequesttoRequest(Object...args)throwsIOException{RequestBuilderrequestBuilder=newRequestBuilder(httpMethod,baseUrl,relativeUrl,headers,contentType,hasBody,isFormEncoded,isMultipart);@SuppressWarnings("unchecked")// It is an error to invoke a method with the wrong arg types.ParameterHandler<Object>[]handlers=(ParameterHandler<Object>[])parameterHandlers;intargumentCount=args!=null?args.length:0;if(argumentCount!=handlers.length){thrownewIllegalArgumentException("Argument count ("+argumentCount+") doesn't match expected count ("+handlers.length+")");}for(intp=0;p<argumentCount;p++){handlers[p].apply(requestBuilder,args[p]);}returnrequestBuilder.build();}/** Builds a method return value from an HTTP response body. */RtoResponse(ResponseBodybody)throwsIOException{returnresponseConverter.convert(body);}
finalclassRequestBuilder{privatestaticfinalchar[]HEX_DIGITS={'0','1','2','3','4','5','6','7','8','9','A','B','C','D','E','F'};privatestaticfinalStringPATH_SEGMENT_ALWAYS_ENCODE_SET=" \"<>^`{}|\\?#";privatefinalStringmethod;privatefinalHttpUrlbaseUrl;privateStringrelativeUrl;privateHttpUrl.BuilderurlBuilder;privatefinalRequest.BuilderrequestBuilder;privateMediaTypecontentType;privatefinalbooleanhasBody;privateMultipartBody.BuildermultipartBuilder;privateFormBody.BuilderformBuilder;privateRequestBodybody;RequestBuilder(Stringmethod,HttpUrlbaseUrl,StringrelativeUrl,Headersheaders,MediaTypecontentType,booleanhasBody,booleanisFormEncoded,booleanisMultipart){this.method=method;this.baseUrl=baseUrl;this.relativeUrl=relativeUrl;this.requestBuilder=newRequest.Builder();this.contentType=contentType;this.hasBody=hasBody;if(headers!=null){requestBuilder.headers(headers);//添加header}if(isFormEncoded){//form请求// Will be set to 'body' in 'build'.formBuilder=newFormBody.Builder();}elseif(isMultipart){// Will be set to 'body' in 'build'.multipartBuilder=newMultipartBody.Builder();multipartBuilder.setType(MultipartBody.FORM);}}voidsetRelativeUrl(ObjectrelativeUrl){if(relativeUrl==null)thrownewNullPointerException("@Url parameter is null.");this.relativeUrl=relativeUrl.toString();}voidaddHeader(Stringname,Stringvalue){if("Content-Type".equalsIgnoreCase(name)){MediaTypetype=MediaType.parse(value);if(type==null){thrownewIllegalArgumentException("Malformed content type: "+value);}contentType=type;}else{requestBuilder.addHeader(name,value);}}voidaddPathParam(Stringname,Stringvalue,booleanencoded){if(relativeUrl==null){// The relative URL is cleared when the first query parameter is set.thrownewAssertionError();}relativeUrl=relativeUrl.replace("{"+name+"}",canonicalizeForPath(value,encoded));}privatestaticStringcanonicalizeForPath(Stringinput,booleanalreadyEncoded){intcodePoint;for(inti=0,limit=input.length();i<limit;i+=Character.charCount(codePoint)){codePoint=input.codePointAt(i);if(codePoint<0x20||codePoint>=0x7f||PATH_SEGMENT_ALWAYS_ENCODE_SET.indexOf(codePoint)!=-1||(!alreadyEncoded&&(codePoint=='/'||codePoint=='%'))){// Slow path: the character at i requires encoding!Bufferout=newBuffer();out.writeUtf8(input,0,i);canonicalizeForPath(out,input,i,limit,alreadyEncoded);returnout.readUtf8();}}// Fast path: no characters required encoding.returninput;}privatestaticvoidcanonicalizeForPath(Bufferout,Stringinput,intpos,intlimit,booleanalreadyEncoded){Bufferutf8Buffer=null;// Lazily allocated.intcodePoint;for(inti=pos;i<limit;i+=Character.charCount(codePoint)){codePoint=input.codePointAt(i);if(alreadyEncoded&&(codePoint=='\t'||codePoint=='\n'||codePoint=='\f'||codePoint=='\r')){// Skip this character.}elseif(codePoint<0x20||codePoint>=0x7f||PATH_SEGMENT_ALWAYS_ENCODE_SET.indexOf(codePoint)!=-1||(!alreadyEncoded&&(codePoint=='/'||codePoint=='%'))){// Percent encode this character.if(utf8Buffer==null){utf8Buffer=newBuffer();}utf8Buffer.writeUtf8CodePoint(codePoint);while(!utf8Buffer.exhausted()){intb=utf8Buffer.readByte()&0xff;out.writeByte('%');out.writeByte(HEX_DIGITS[(b>>4)&0xf]);out.writeByte(HEX_DIGITS[b&0xf]);}}else{// This character doesn't need encoding. Just copy it over.out.writeUtf8CodePoint(codePoint);}}}//添加get请求参数voidaddQueryParam(Stringname,Stringvalue,booleanencoded){if(relativeUrl!=null){// Do a one-time combination of the built relative URL and the base URL.urlBuilder=baseUrl.newBuilder(relativeUrl);if(urlBuilder==null){thrownewIllegalArgumentException("Malformed URL. Base: "+baseUrl+", Relative: "+relativeUrl);}relativeUrl=null;}if(encoded){urlBuilder.addEncodedQueryParameter(name,value);}else{urlBuilder.addQueryParameter(name,value);}}//添加form表单请求参数voidaddFormField(Stringname,Stringvalue,booleanencoded){if(encoded){formBuilder.addEncoded(name,value);}else{formBuilder.add(name,value);}}voidaddPart(Headersheaders,RequestBodybody){multipartBuilder.addPart(headers,body);}voidaddPart(MultipartBody.Partpart){multipartBuilder.addPart(part);}voidsetBody(RequestBodybody){this.body=body;}Requestbuild(){HttpUrlurl;HttpUrl.BuilderurlBuilder=this.urlBuilder;if(urlBuilder!=null){url=urlBuilder.build();}else{// No query parameters triggered builder creation, just combine the relative URL and base URL.url=baseUrl.resolve(relativeUrl);if(url==null){thrownewIllegalArgumentException("Malformed URL. Base: "+baseUrl+", Relative: "+relativeUrl);}}RequestBodybody=this.body;if(body==null){// Try to pull from one of the builders.if(formBuilder!=null){body=formBuilder.build();}elseif(multipartBuilder!=null){body=multipartBuilder.build();}elseif(hasBody){// Body is absent, make an empty body.body=RequestBody.create(null,newbyte[0]);}}MediaTypecontentType=this.contentType;if(contentType!=null){if(body!=null){body=newContentTypeOverridingRequestBody(body,contentType);}else{requestBuilder.addHeader("Content-Type",contentType.toString());}}returnrequestBuilder.url(url).method(method,body).build();}privatestaticclassContentTypeOverridingRequestBodyextendsRequestBody{privatefinalRequestBodydelegate;privatefinalMediaTypecontentType;ContentTypeOverridingRequestBody(RequestBodydelegate,MediaTypecontentType){this.delegate=delegate;this.contentType=contentType;}@OverridepublicMediaTypecontentType(){returncontentType;}@OverridepubliclongcontentLength()throwsIOException{returndelegate.contentLength();}@OverridepublicvoidwriteTo(BufferedSinksink)throwsIOException{delegate.writeTo(sink);}}}
privateokhttp3.CallcreateRawCall()throwsIOException{Requestrequest=serviceMethod.toRequest(args);//构建请求参数okhttp3.Callcall=serviceMethod.callFactory.newCall(request);//执行请求if(call==null){thrownewNullPointerException("Call.Factory returned null.");}returncall;}
//解析返回值Response<T>parseResponse(okhttp3.ResponserawResponse)throwsIOException{ResponseBodyrawBody=rawResponse.body();// Remove the body's source (the only stateful object) so we can pass the response along.rawResponse=rawResponse.newBuilder().body(newNoContentResponseBody(rawBody.contentType(),rawBody.contentLength())).build();intcode=rawResponse.code();if(code<200||code>=300){try{// Buffer the entire body to avoid future I/O.ResponseBodybufferedBody=Utils.buffer(rawBody);returnResponse.error(bufferedBody,rawResponse);}finally{rawBody.close();}}if(code==204||code==205){returnResponse.success(null,rawResponse);}ExceptionCatchingRequestBodycatchingBody=newExceptionCatchingRequestBody(rawBody);try{Tbody=serviceMethod.toResponse(catchingBody);//将body转化为实体returnResponse.success(body,rawResponse);}catch(RuntimeExceptione){// If the underlying source threw an exception, propagate that rather than indicating it was// a runtime exception.catchingBody.throwIfCaught();throwe;}}
Response<T>parseResponse(okhttp3.ResponserawResponse)throwsIOException{ResponseBodyrawBody=rawResponse.body();// Remove the body's source (the only stateful object) so we can pass the response along.rawResponse=rawResponse.newBuilder().body(newNoContentResponseBody(rawBody.contentType(),rawBody.contentLength())).build();intcode=rawResponse.code();if(code<200||code>=300){try{// Buffer the entire body to avoid future I/O.ResponseBodybufferedBody=Utils.buffer(rawBody);returnResponse.error(bufferedBody,rawResponse);}finally{rawBody.close();}}if(code==204||code==205){rawBody.close();returnResponse.success(null,rawResponse);}ExceptionCatchingRequestBodycatchingBody=newExceptionCatchingRequestBody(rawBody);try{Tbody=serviceMethod.toResponse(catchingBody);//将ResponseBody转换为实体returnResponse.success(body,rawResponse);}catch(RuntimeExceptione){// If the underlying source threw an exception, propagate that rather than indicating it was// a runtime exception.catchingBody.throwIfCaught();throwe;}}
publicfinalclassRxJavaCallAdapterFactoryextendsCallAdapter.Factory{/** * Returns an instance which creates synchronous observables that do not operate on any scheduler * by default. */publicstaticRxJavaCallAdapterFactorycreate(){returnnewRxJavaCallAdapterFactory(null);}/** * Returns an instance which creates synchronous observables that * {@linkplain Observable#subscribeOn(Scheduler) subscribe on} {@code scheduler} by default. */publicstaticRxJavaCallAdapterFactorycreateWithScheduler(Schedulerscheduler){if(scheduler==null)thrownewNullPointerException("scheduler == null");returnnewRxJavaCallAdapterFactory(scheduler);}privatefinalSchedulerscheduler;privateRxJavaCallAdapterFactory(Schedulerscheduler){this.scheduler=scheduler;}@OverridepublicCallAdapter<?,?>get(TypereturnType,Annotation[]annotations,Retrofitretrofit){Class<?>rawType=getRawType(returnType);booleanisSingle=rawType==Single.class;//判断返回值是否是Single.classbooleanisCompletable="rx.Completable".equals(rawType.getCanonicalName());if(rawType!=Observable.class&&!isSingle&&!isCompletable){returnnull;}if(isCompletable){returnnewRxJavaCallAdapter(Void.class,scheduler,false,true,false,true);}booleanisResult=false;booleanisBody=false;TyperesponseType;if(!(returnTypeinstanceofParameterizedType)){Stringname=isSingle?"Single":"Observable";thrownewIllegalStateException(name+" return type must be parameterized"+" as "+name+"<Foo> or "+name+"<? extends Foo>");}TypeobservableType=getParameterUpperBound(0,(ParameterizedType)returnType);Class<?>rawObservableType=getRawType(observableType);if(rawObservableType==Response.class){if(!(observableTypeinstanceofParameterizedType)){thrownewIllegalStateException("Response must be parameterized"+" as Response<Foo> or Response<? extends Foo>");}responseType=getParameterUpperBound(0,(ParameterizedType)observableType);}elseif(rawObservableType==Result.class){if(!(observableTypeinstanceofParameterizedType)){thrownewIllegalStateException("Result must be parameterized"+" as Result<Foo> or Result<? extends Foo>");}responseType=getParameterUpperBound(0,(ParameterizedType)observableType);isResult=true;}else{responseType=observableType;isBody=true;}returnnewRxJavaCallAdapter(responseType,scheduler,isResult,isBody,isSingle,false);}}
finalclassCallOnSubscribe<T>implementsOnSubscribe<Response<T>>{privatefinalCall<T>originalCall;CallOnSubscribe(Call<T>originalCall){this.originalCall=originalCall;}@Overridepublicvoidcall(Subscriber<?superResponse<T>>subscriber){// Since Call is a one-shot type, clone it for each new subscriber.Call<T>call=originalCall.clone();//clone 了原来的 call,因为 okhttp3.Call 是只能用一次的,所以每次都是新 clone 一个进行网络请求;CallArbiter<T>arbiter=newCallArbiter<>(call,subscriber);subscriber.add(arbiter);subscriber.setProducer(arbiter);//调用producer的request方法Response<T>response;try{response=call.execute();//调用OkHttpCall的execute()方法返回Response}catch(Throwablet){Exceptions.throwIfFatal(t);arbiter.emitError(t);//发送错误return;}arbiter.emitResponse(response);//发送response}staticfinalclassCallArbiter<T>extendsAtomicIntegerimplementsSubscription,Producer{privatestaticfinalintSTATE_WAITING=0;privatestaticfinalintSTATE_REQUESTED=1;privatestaticfinalintSTATE_HAS_RESPONSE=2;privatestaticfinalintSTATE_TERMINATED=3;privatefinalCall<T>call;privatefinalSubscriber<?superResponse<T>>subscriber;privatevolatileResponse<T>response;CallArbiter(Call<T>call,Subscriber<?superResponse<T>>subscriber){super(STATE_WAITING);this.call=call;this.subscriber=subscriber;}@Overridepublicvoidunsubscribe(){call.cancel();}@OverridepublicbooleanisUnsubscribed(){returncall.isCanceled();}@Overridepublicvoidrequest(longamount){if(amount==0){return;}while(true){intstate=get();switch(state){caseSTATE_WAITING:if(compareAndSet(STATE_WAITING,STATE_REQUESTED)){return;}break;// State transition failed. Try again.caseSTATE_HAS_RESPONSE:if(compareAndSet(STATE_HAS_RESPONSE,STATE_TERMINATED)){deliverResponse(response);return;}break;// State transition failed. Try again.caseSTATE_REQUESTED:caseSTATE_TERMINATED:return;// Nothing to do.default:thrownewIllegalStateException("Unknown state: "+state);}}}voidemitResponse(Response<T>response){while(true){intstate=get();//获取当前值switch(state){caseSTATE_WAITING:this.response=response;if(compareAndSet(STATE_WAITING,STATE_HAS_RESPONSE)){//如果当前值==STATE_WAITING,设置值为STATE_HAS_RESPONSEreturn;}break;//状态改变失败重试caseSTATE_REQUESTED:if(compareAndSet(STATE_REQUESTED,STATE_TERMINATED)){deliverResponse(response);return;}break;// State transition failed. Try again.caseSTATE_HAS_RESPONSE:caseSTATE_TERMINATED:thrownewAssertionError();default:thrownewIllegalStateException("Unknown state: "+state);}}}privatevoiddeliverResponse(Response<T>response){try{if(!isUnsubscribed()){subscriber.onNext(response);}}catch(Throwablet){Exceptions.throwIfFatal(t);try{subscriber.onError(t);}catch(Throwableinner){Exceptions.throwIfFatal(inner);CompositeExceptioncomposite=newCompositeException(t,inner);RxJavaPlugins.getInstance().getErrorHandler().handleError(composite);}return;}try{subscriber.onCompleted();//发送完成}catch(Throwablet){Exceptions.throwIfFatal(t);RxJavaPlugins.getInstance().getErrorHandler().handleError(t);}}voidemitError(Throwablet){set(STATE_TERMINATED);if(!isUnsubscribed()){try{subscriber.onError(t);}catch(Throwableinner){Exceptions.throwIfFatal(inner);CompositeExceptioncomposite=newCompositeException(t,inner);RxJavaPlugins.getInstance().getErrorHandler().handleError(composite);}}}}}
finalclassBodyOnSubscribe<T>implementsOnSubscribe<T>{privatefinalOnSubscribe<Response<T>>upstream;BodyOnSubscribe(OnSubscribe<Response<T>>upstream){this.upstream=upstream;}@Overridepublicvoidcall(Subscriber<?superT>subscriber){upstream.call(newBodySubscriber<>(subscriber));}privatestaticclassBodySubscriber<R>extendsSubscriber<Response<R>>{privatefinalSubscriber<?superR>subscriber;/** Indicates whether a terminal event has been sent to {@link #subscriber}. */privatebooleansubscriberTerminated;BodySubscriber(Subscriber<?superR>subscriber){super(subscriber);this.subscriber=subscriber;}@OverridepublicvoidonNext(Response<R>response){if(response.isSuccessful()){subscriber.onNext(response.body());}else{subscriberTerminated=true;Throwablet=newHttpException(response);try{subscriber.onError(t);}catch(Throwableinner){Exceptions.throwIfFatal(inner);CompositeExceptioncomposite=newCompositeException(t,inner);RxJavaPlugins.getInstance().getErrorHandler().handleError(composite);}}}@OverridepublicvoidonError(Throwablethrowable){if(!subscriberTerminated){subscriber.onError(throwable);}else{// This should never happen! onNext handles and forwards errors automatically.Throwablebroken=newAssertionError("This should never happen! Report as a Retrofit bug with the full stacktrace.");//noinspection UnnecessaryInitCause Two-arg AssertionError constructor is 1.7+ only.broken.initCause(throwable);RxJavaPlugins.getInstance().getErrorHandler().handleError(broken);}}@OverridepublicvoidonCompleted(){if(!subscriberTerminated){subscriber.onCompleted();}}}}