# Licensed to the Apache Software Foundation (ASF) under one# or more contributor license agreements. See the NOTICE file# distributed with this work for additional information# regarding copyright ownership. The ASF licenses this file# to you under the Apache License, Version 2.0 (the# "License"); you may not use this file except in compliance# with the License. You may obtain a copy of the License at## http://www.apache.org/licenses/LICENSE-2.0## Unless required by applicable law or agreed to in writing,# software distributed under the License is distributed on an# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY# KIND, either express or implied. See the License for the# specific language governing permissions and limitations# under the License."""GRPC Hook."""from__future__importannotationsfromcollections.abcimportGeneratorfromtypingimportAny,Callablefromgoogleimportauthasgoogle_authfromgoogle.authimportjwtasgoogle_auth_jwt# type: ignore[attr-defined]fromgoogle.auth.transportimport(grpcasgoogle_auth_transport_grpc,requestsasgoogle_auth_transport_requests,)importgrpcfromairflow.exceptionsimportAirflowConfigExceptionfromairflow.hooks.baseimportBaseHook
[docs]classGrpcHook(BaseHook):""" General interaction with gRPC servers. :param grpc_conn_id: The connection ID to use when fetching connection info. :param interceptors: a list of gRPC interceptor objects which would be applied to the connected gRPC channel. None by default. Each interceptor should based on or extends the four official gRPC interceptors, eg, UnaryUnaryClientInterceptor, UnaryStreamClientInterceptor, StreamUnaryClientInterceptor, StreamStreamClientInterceptor. :param custom_connection_func: The customized connection function to return gRPC channel. A callable that accepts the connection as its only arg. """
[docs]defget_conn(self)->grpc.Channel:base_url=self.conn.hostifself.conn.port:base_url+=f":{self.conn.port}"auth_type=self._get_field("auth_type")ifauth_type=="NO_AUTH":channel=grpc.insecure_channel(base_url)elifauth_typein{"SSL","TLS"}:credential_file_name=self._get_field("credential_pem_file")withopen(credential_file_name,"rb")ascredential_file:creds=grpc.ssl_channel_credentials(credential_file.read())channel=grpc.secure_channel(base_url,creds)elifauth_type=="JWT_GOOGLE":credentials,_=google_auth.default()jwt_creds=google_auth_jwt.OnDemandCredentials.from_signing_credentials(credentials)channel=google_auth_transport_grpc.secure_authorized_channel(jwt_creds,None,base_url)elifauth_type=="OATH_GOOGLE":scopes=self._get_field("scopes").split(",")credentials,_=google_auth.default(scopes=scopes)request=google_auth_transport_requests.Request()channel=google_auth_transport_grpc.secure_authorized_channel(credentials,request,base_url)elifauth_type=="CUSTOM":ifnotself.custom_connection_func:raiseAirflowConfigException("Customized connection function not set, not able to establish a channel")channel=self.custom_connection_func(self.conn)else:raiseAirflowConfigException("auth_type not supported or not provided, channel cannot be established, "f"given value: {auth_type}")ifself.interceptors:forinterceptorinself.interceptors:channel=grpc.intercept_channel(channel,interceptor)returnchannel
[docs]defrun(self,stub_class:Callable,call_func:str,streaming:bool=False,data:dict|None=None)->Generator:"""Call gRPC function and yield response to caller."""ifdataisNone:data={}withself.get_conn()aschannel:stub=stub_class(channel)try:rpc_func=getattr(stub,call_func)response=rpc_func(**data)ifnotstreaming:yieldresponseelse:yield fromresponseexceptgrpc.RpcErrorasex:self.log.exception("Error occurred when calling the grpc service: %s, method: %s\ status code: %s, error details: %s",stub.__class__.__name__,call_func,ex.code(),ex.details(),)raiseex
def_get_field(self,field_name:str):"""Get field from extra, first checking short name, then for backcompat we check for prefixed name."""backcompat_prefix="extra__grpc__"iffield_name.startswith("extra__"):raiseValueError(f"Got prefixed name {field_name}; please remove the '{backcompat_prefix}' prefix ""when using this method.")iffield_nameinself.extras:returnself.extras[field_name]prefixed_name=f"{backcompat_prefix}{field_name}"ifprefixed_nameinself.extras:returnself.extras[prefixed_name]raiseKeyError(f"Param {field_name} not found in extra dict")