Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Refactoring for external auth. Vol II #66

Merged
merged 2 commits into from
Aug 20, 2024
Merged
Show file tree
Hide file tree
Changes from 1 commit
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
28 changes: 7 additions & 21 deletions src/filter/http_context.rs
Original file line number Diff line number Diff line change
@@ -1,16 +1,14 @@
use crate::configuration::{FailureMode, FilterConfig};
use crate::envoy::{RateLimitRequest, RateLimitResponse, RateLimitResponse_Code};
use crate::envoy::{RateLimitResponse, RateLimitResponse_Code};
use crate::filter::http_context::TracingHeader::{Baggage, Traceparent, Tracestate};
use crate::policy::Policy;
use crate::service::rate_limit::RateLimitService;
use crate::service::Service;
use log::{debug, warn};
use protobuf::Message;
use proxy_wasm::traits::{Context, HttpContext};
use proxy_wasm::types::{Action, Bytes};
use std::rc::Rc;
use std::time::Duration;

const RATELIMIT_SERVICE_NAME: &str = "envoy.service.ratelimit.v3.RateLimitService";
const RATELIMIT_METHOD_NAME: &str = "ShouldRateLimit";

// tracing headers
pub enum TracingHeader {
Expand Down Expand Up @@ -63,28 +61,16 @@ impl Filter {
);
return Action::Continue;
}

let mut rl_req = RateLimitRequest::new();
rl_req.set_domain(rlp.domain.clone());
rl_req.set_hits_addend(1);
rl_req.set_descriptors(descriptors);

let rl_req_serialized = Message::write_to_bytes(&rl_req).unwrap(); // TODO(rahulanand16nov): Error Handling

let rl_tracing_headers = self
.tracing_headers
.iter()
.map(|(header, value)| (header.as_str(), value.as_slice()))
.collect();

match self.dispatch_grpc_call(
rlp.service.as_str(),
RATELIMIT_SERVICE_NAME,
RATELIMIT_METHOD_NAME,
rl_tracing_headers,
Some(&rl_req_serialized),
Duration::from_secs(5),
) {
let rls = RateLimitService::new(rlp.service.as_str(), rl_tracing_headers);
let message = RateLimitService::message(rlp.domain.clone(), descriptors);

match rls.send(message) {
Ok(call_id) => {
debug!(
"#{} initiated gRPC call (id# {}) to Limitador",
Expand Down
1 change: 1 addition & 0 deletions src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -5,6 +5,7 @@ mod filter;
mod glob;
mod policy;
mod policy_index;
mod service;

#[cfg(test)]
mod tests {
Expand Down
8 changes: 8 additions & 0 deletions src/service.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,8 @@
pub(crate) mod rate_limit;

use protobuf::Message;
use proxy_wasm::types::Status;

pub trait Service<M: Message> {
fn send(&self, message: M) -> Result<u32, Status>;
}
105 changes: 105 additions & 0 deletions src/service/rate_limit.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,105 @@
use crate::envoy::{RateLimitDescriptor, RateLimitRequest};
use crate::service::Service;
use protobuf::{Message, RepeatedField};
use proxy_wasm::hostcalls::dispatch_grpc_call;
use proxy_wasm::types::Status;
use std::time::Duration;

const RATELIMIT_SERVICE_NAME: &str = "envoy.service.ratelimit.v3.RateLimitService";
const RATELIMIT_METHOD_NAME: &str = "ShouldRateLimit";
pub struct RateLimitService<'a> {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I think, if metadata is the "headers", and in our case the tracing ones, you can just claim ownership of these str and get rid of <'a>

endpoint: String,
metadata: Vec<(&'a str, &'a [u8])>,
}

impl<'a> RateLimitService<'a> {
pub fn new(endpoint: &str, metadata: Vec<(&'a str, &'a [u8])>) -> RateLimitService<'a> {
Self {
endpoint: String::from(endpoint),
metadata,
}
}
pub fn message(
domain: String,
descriptors: RepeatedField<RateLimitDescriptor>,
) -> RateLimitRequest {
RateLimitRequest {
domain,
descriptors,
hits_addend: 1,
unknown_fields: Default::default(),
cached_size: Default::default(),
}
}
}

fn grpc_call(
upstream_name: &str,
initial_metadata: Vec<(&str, &[u8])>,
message: RateLimitRequest,
) -> Result<u32, Status> {
let msg = Message::write_to_bytes(&message).unwrap(); // TODO(didierofrivia): Error Handling
dispatch_grpc_call(
upstream_name,
RATELIMIT_SERVICE_NAME,
RATELIMIT_METHOD_NAME,
initial_metadata,
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I guess this should be self.metadata and initial_metadata disappears from that method signature, right?

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I've made the grpc_call outside the impl block so we can mock it in the tests, that's why it doesn't take a self param. Should it be include it within the RateLimitService impl?

Some(&msg),
Duration::from_secs(5),
)
}

impl Service<RateLimitRequest> for RateLimitService<'_> {
fn send(&self, message: RateLimitRequest) -> Result<u32, Status> {
grpc_call(self.endpoint.as_str(), self.metadata.clone(), message)
}
}

#[cfg(test)]
mod tests {
use crate::envoy::{RateLimitDescriptor, RateLimitDescriptor_Entry, RateLimitRequest};
use crate::service::rate_limit::RateLimitService;
//use crate::service::Service;
use protobuf::{CachedSize, RepeatedField, UnknownFields};
//use proxy_wasm::types::Status;
//use crate::filter::http_context::{Filter};

fn build_message() -> RateLimitRequest {
let domain = "rlp1";
let mut field = RateLimitDescriptor::new();
let mut entry = RateLimitDescriptor_Entry::new();
entry.set_key("key1".to_string());
entry.set_value("value1".to_string());
field.set_entries(RepeatedField::from_vec(vec![entry]));
let descriptors = RepeatedField::from_vec(vec![field]);

RateLimitService::message(domain.to_string(), descriptors.clone())
}
#[test]
fn builds_correct_message() {
let msg = build_message();

assert_eq!(msg.hits_addend, 1);
assert_eq!(msg.domain, "rlp1".to_string());
assert_eq!(msg.descriptors.first().unwrap().entries[0].key, "key1");
assert_eq!(msg.descriptors.first().unwrap().entries[0].value, "value1");
assert_eq!(msg.unknown_fields, UnknownFields::default());
assert_eq!(msg.cached_size, CachedSize::default());
}
/*#[test]
fn sends_message() {
let msg = build_message();
let metadata = vec![("header-1", "value-1".as_bytes())];
let rls = RateLimitService::new("limitador-cluster", metadata);

// TODO(didierofrivia): When we have a grpc response type, assert the async response
}

fn grpc_call(
_upstream_name: &str,
_initial_metadata: Vec<(&str, &[u8])>,
_message: RateLimitRequest,
) -> Result<u32, Status> {
Ok(1)
} */
}
Loading