Skip to content

[ISSUE #368]🚀Optimize send message logic #369

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

Merged
merged 1 commit into from
May 19, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
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
8 changes: 5 additions & 3 deletions Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -25,8 +25,8 @@ Unofficial Rust implementation of Apache RocketMQ
"""
[workspace.dependencies]
tokio = { version = "1.35", features = ["full"] }
tokio-util = {version = "0.7.10",features = ["full"]}
tokio-stream = {version = "0.1.14",features = ["full"]}
tokio-util = { version = "0.7.10", features = ["full"] }
tokio-stream = { version = "0.1.14", features = ["full"] }

log = "0.4.0"
env_logger = "0.11.2"
Expand All @@ -53,4 +53,6 @@ config = "0.14"

parking_lot = "0.12"
dirs = "5.0"
trait-variant = "0.1.2"
trait-variant = "0.1.2"

once_cell = "1.19.0"
1 change: 1 addition & 0 deletions rocketmq-broker/src/broker_runtime.rs
Original file line number Diff line number Diff line change
Expand Up @@ -174,6 +174,7 @@ impl BrokerRuntime {
if let Some(message_store) = &mut self.message_store {
message_store.shutdown()
}

if let Some(runtime) = self.broker_runtime.take() {
runtime.shutdown();
}
Expand Down
2 changes: 1 addition & 1 deletion rocketmq-broker/src/processor/send_message_processor.rs
Original file line number Diff line number Diff line change
Expand Up @@ -291,7 +291,7 @@
message_ext.tags_code = MessageExtBrokerInner::tags_string2tags_code(
&topic_config.topic_filter_type,
message_ext.get_tags().unwrap_or("".to_string()).as_str(),
) as i64;
);

Check warning on line 294 in rocketmq-broker/src/processor/send_message_processor.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-broker/src/processor/send_message_processor.rs#L294

Added line #L294 was not covered by tests

message_ext.message_ext_inner.born_timestamp = request_header.born_timestamp;
message_ext.message_ext_inner.born_host = ctx.remoting_address();
Expand Down
3 changes: 2 additions & 1 deletion rocketmq-common/Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -49,4 +49,5 @@ local-ip-address = "0.6.1"
chrono = "0.4.38"
log = "0.4.20"

parking_lot = { workspace = true }
parking_lot = { workspace = true }
once_cell = { workspace = true }
1 change: 1 addition & 0 deletions rocketmq-common/src/common.rs
Original file line number Diff line number Diff line change
Expand Up @@ -33,6 +33,7 @@ pub mod consumer;
mod faq;
pub mod filter;
pub mod future;
pub mod hasher;
pub mod macros;
pub mod message;
pub mod mix_all;
Expand Down
17 changes: 17 additions & 0 deletions rocketmq-common/src/common/hasher.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,17 @@
/*
* 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.
*/
pub mod string_hasher;
66 changes: 66 additions & 0 deletions rocketmq-common/src/common/hasher/string_hasher.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,66 @@
/*
* 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.
*/
use std::hash::Hasher;

//Compatible with Java String's hash code
pub struct JavaStringHasher {
state: i32,
}

impl Default for JavaStringHasher {
fn default() -> Self {
Self::new()
}

Check warning on line 27 in rocketmq-common/src/common/hasher/string_hasher.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-common/src/common/hasher/string_hasher.rs#L25-L27

Added lines #L25 - L27 were not covered by tests
}

impl JavaStringHasher {
pub fn new() -> Self {
JavaStringHasher { state: 0 }
}

pub fn hash_str(&mut self, s: &str) -> i32 {
if self.state == 0 && !s.is_empty() {
for c in s.chars() {
self.state = self.state.wrapping_mul(31).wrapping_add(c as i32);
}
}
self.state
}
}

impl Hasher for JavaStringHasher {
fn finish(&self) -> u64 {
self.state as u64
}

Check warning on line 48 in rocketmq-common/src/common/hasher/string_hasher.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-common/src/common/hasher/string_hasher.rs#L46-L48

Added lines #L46 - L48 were not covered by tests

fn write(&mut self, bytes: &[u8]) {
for &byte in bytes {
self.state = self.state.wrapping_mul(31).wrapping_add(byte as i32);

Check warning on line 52 in rocketmq-common/src/common/hasher/string_hasher.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-common/src/common/hasher/string_hasher.rs#L50-L52

Added lines #L50 - L52 were not covered by tests
}
}

Check warning on line 54 in rocketmq-common/src/common/hasher/string_hasher.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-common/src/common/hasher/string_hasher.rs#L54

Added line #L54 was not covered by tests
}

#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_java_string_hasher() {
let mut hasher = JavaStringHasher::new();
let i = hasher.hash_str("hello world");
assert_eq!(i, 1794106052);
}
}
11 changes: 4 additions & 7 deletions rocketmq-common/src/common/message/message_single.rs
Original file line number Diff line number Diff line change
Expand Up @@ -25,6 +25,7 @@

use crate::{
common::{
hasher::string_hasher::JavaStringHasher,
message::{MessageConst, MessageTrait, MessageVersion},
sys_flag::message_sys_flag::MessageSysFlag,
TopicFilterType,
Expand Down Expand Up @@ -414,13 +415,11 @@
self.message_ext_inner.queue_offset()
}

pub fn tags_string2tags_code(_filter: &TopicFilterType, tags: &str) -> u64 {
pub fn tags_string2tags_code(_filter: &TopicFilterType, tags: &str) -> i64 {

Check warning on line 418 in rocketmq-common/src/common/message/message_single.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-common/src/common/message/message_single.rs#L418

Added line #L418 was not covered by tests
if tags.is_empty() {
return 0;
}
let mut hasher = DefaultHasher::new();
tags.hash(&mut hasher);
hasher.finish()
JavaStringHasher::new().hash_str(tags) as i64

Check warning on line 422 in rocketmq-common/src/common/message/message_single.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-common/src/common/message/message_single.rs#L422

Added line #L422 was not covered by tests
}

pub fn get_tags(&self) -> Option<String> {
Expand All @@ -444,7 +443,5 @@
if tags.is_empty() {
return 0;
}
let mut hasher = DefaultHasher::new();
tags.hash(&mut hasher);
hasher.finish() as i64
JavaStringHasher::new().hash_str(tags.as_str()) as i64

Check warning on line 446 in rocketmq-common/src/common/message/message_single.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-common/src/common/message/message_single.rs#L446

Added line #L446 was not covered by tests
}
7 changes: 6 additions & 1 deletion rocketmq-common/src/common/mix_all.rs
Original file line number Diff line number Diff line change
Expand Up @@ -15,6 +15,10 @@
* limitations under the License.
*/

use std::env;

use once_cell::sync::Lazy;

pub const ROCKETMQ_HOME_ENV: &str = "ROCKETMQ_HOME";
pub const ROCKETMQ_HOME_PROPERTY: &str = "rocketmq.home.dir";
pub const NAMESRV_ADDR_ENV: &str = "NAMESRV_ADDR";
Expand Down Expand Up @@ -67,7 +71,8 @@ pub const ZONE_MODE: &str = "__ZONE_MODE";
pub const LOGICAL_QUEUE_MOCK_BROKER_PREFIX: &str = "__syslo__";
pub const METADATA_SCOPE_GLOBAL: &str = "__global__";
pub const LOGICAL_QUEUE_MOCK_BROKER_NAME_NOT_EXIST: &str = "__syslo__none__";
pub const MULTI_PATH_SPLITTER: &str = "rocketmq.broker.multiPathSplitter";
pub static MULTI_PATH_SPLITTER: Lazy<String> =
Lazy::new(|| env::var("rocketmq.broker.multiPathSplitter").unwrap_or_else(|_| ",".to_string()));

pub fn is_sys_consumer_group(consumer_group: &str) -> bool {
consumer_group.starts_with(CID_RMQ_SYS_PREFIX)
Expand Down
37 changes: 28 additions & 9 deletions rocketmq-common/src/utils/util_all.rs
Original file line number Diff line number Diff line change
Expand Up @@ -15,9 +15,16 @@
* limitations under the License.
*/

use std::path::PathBuf;
use std::{
env, fs,
path::{Path, PathBuf},
};

use chrono::{DateTime, Datelike, TimeZone, Timelike, Utc};
use once_cell::sync::Lazy;
use tracing::info;

use crate::common::mix_all::MULTI_PATH_SPLITTER;

const HEX_ARRAY: [char; 16] = [
'0', '1', '2', '3', '4', '5', '6', '7', '8', '9', 'A', 'B', 'C', 'D', 'E', 'F',
Expand Down Expand Up @@ -95,16 +102,28 @@
format!("{:020}", offset)
}

/*pub fn ensure_dir_ok(dir: impl AsRef<PathBuf>) -> Result<(), std::io::Error> {
match dir.as_ref().exists() {
true => Ok(()),
false => Err(std::io::Error::new(
std::io::ErrorKind::NotFound,
format!("{:?}", dir.as_ref()),
)),
pub fn ensure_dir_ok(dir_name: &str) {
if !dir_name.is_empty() {
let multi_path_splitter = MULTI_PATH_SPLITTER.as_str();
if dir_name.contains(multi_path_splitter) {
for dir in dir_name.trim().split(&multi_path_splitter) {
create_dir_if_not_exist(dir);

Check warning on line 110 in rocketmq-common/src/utils/util_all.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-common/src/utils/util_all.rs#L109-L110

Added lines #L109 - L110 were not covered by tests
}
} else {
create_dir_if_not_exist(dir_name);
}
}
}*/
}

fn create_dir_if_not_exist(dir_name: &str) {
let path = Path::new(dir_name);
if !path.exists() {
match fs::create_dir_all(path) {
Ok(_) => info!("{} mkdir OK", dir_name),
Err(_) => info!("{} mkdir Failed", dir_name),

Check warning on line 123 in rocketmq-common/src/utils/util_all.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-common/src/utils/util_all.rs#L121-L123

Added lines #L121 - L123 were not covered by tests
}
}

Check warning on line 125 in rocketmq-common/src/utils/util_all.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-common/src/utils/util_all.rs#L125

Added line #L125 was not covered by tests
}
#[cfg(test)]
mod tests {
use super::*;
Expand Down
31 changes: 14 additions & 17 deletions rocketmq-store/src/base/append_message_callback.rs
Original file line number Diff line number Diff line change
Expand Up @@ -16,7 +16,7 @@
*/
use std::{collections::HashMap, sync::Arc};

use bytes::{Bytes, BytesMut};
use bytes::{BufMut, Bytes, BytesMut};
use rocketmq_common::{
common::{
attribute::cq_type::CQType,
Expand All @@ -36,7 +36,7 @@
},
config::message_store_config::MessageStoreConfig,
log_file::{
commit_log::{CommitLog, CRC32_RESERVED_LEN},
commit_log::{CommitLog, BLANK_MAGIC_CODE, CRC32_RESERVED_LEN},
mapped_file::MappedFile,
},
};
Expand Down Expand Up @@ -101,7 +101,7 @@
const END_FILE_MIN_BLANK_LENGTH: i32 = 4 + 4;

pub(crate) struct DefaultAppendMessageCallback {
msg_store_item_memory: bytes::BytesMut,
//msg_store_item_memory: bytes::BytesMut,
crc32_reserved_length: i32,
message_store_config: Arc<MessageStoreConfig>,
topic_config_table: Arc<parking_lot::Mutex<HashMap<String, TopicConfig>>>,
Expand All @@ -113,9 +113,9 @@
topic_config_table: Arc<parking_lot::Mutex<HashMap<String, TopicConfig>>>,
) -> Self {
Self {
msg_store_item_memory: bytes::BytesMut::with_capacity(
/* msg_store_item_memory: bytes::BytesMut::with_capacity(
END_FILE_MIN_BLANK_LENGTH as usize,
),
),*/
crc32_reserved_length: CRC32_RESERVED_LEN,
message_store_config,
topic_config_table,
Expand Down Expand Up @@ -178,42 +178,38 @@
match MessageSysFlag::get_transaction_value(msg_inner.sys_flag()) {
MessageSysFlag::TRANSACTION_PREPARED_TYPE
| MessageSysFlag::TRANSACTION_ROLLBACK_TYPE => queue_offset = 0,
// MessageSysFlag::TRANSACTION_NOT_TYPE | MessageSysFlag::TRANSACTION_COMMIT_TYPE | _ =>
// {}
_ => {}
}

if (msg_len + END_FILE_MIN_BLANK_LENGTH) > max_blank {
/*self.msg_store_item_memory.borrow_mut().clear();
self.msg_store_item_memory.borrow_mut().put_i32(max_blank);
self.msg_store_item_memory
.borrow_mut()
.put_i32(BLANK_MAGIC_CODE);
let bytes = self.msg_store_item_memory.borrow_mut().split().freeze();
mapped_file.append_message_bytes(&bytes);*/
let mut bytes = BytesMut::with_capacity(END_FILE_MIN_BLANK_LENGTH as usize);
bytes.put_i32(max_blank);
bytes.put_i32(BLANK_MAGIC_CODE);
mapped_file.append_message_bytes(&bytes.freeze());

Check warning on line 188 in rocketmq-store/src/base/append_message_callback.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-store/src/base/append_message_callback.rs#L185-L188

Added lines #L185 - L188 were not covered by tests
return AppendMessageResult {
status: AppendMessageStatus::EndOfFile,
wrote_offset,
wrote_bytes: max_blank,
msg_id,
store_timestamp: msg_inner.store_timestamp(),
logics_offset: queue_offset,
msg_num: message_num as i32,

Check warning on line 196 in rocketmq-store/src/base/append_message_callback.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-store/src/base/append_message_callback.rs#L196

Added line #L196 was not covered by tests
..Default::default()
};
}

let mut pos = 4 + 4 + 4 + 4 + 4;
pre_encode_buffer[pos..(pos + 8)].copy_from_slice(&queue_offset.to_le_bytes());
pre_encode_buffer[pos..(pos + 8)].copy_from_slice(&queue_offset.to_be_bytes());

Check warning on line 202 in rocketmq-store/src/base/append_message_callback.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-store/src/base/append_message_callback.rs#L202

Added line #L202 was not covered by tests
pos += 8;
pre_encode_buffer[pos..(pos + 8)].copy_from_slice(&wrote_offset.to_le_bytes());
pre_encode_buffer[pos..(pos + 8)].copy_from_slice(&wrote_offset.to_be_bytes());

Check warning on line 204 in rocketmq-store/src/base/append_message_callback.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-store/src/base/append_message_callback.rs#L204

Added line #L204 was not covered by tests
let ip_len = if msg_inner.sys_flag() & MessageSysFlag::BORNHOST_V6_FLAG == 0 {
4 + 4
} else {
16 + 4
};
pos += 8 + 4 + 8 + ip_len;
pre_encode_buffer[pos..(pos + 8)]
.copy_from_slice(&msg_inner.store_timestamp().to_le_bytes());
.copy_from_slice(&msg_inner.store_timestamp().to_be_bytes());

Check warning on line 212 in rocketmq-store/src/base/append_message_callback.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-store/src/base/append_message_callback.rs#L212

Added line #L212 was not covered by tests

// msg_inner.encoded_buff = pre_encode_buffer;
let bytes = Bytes::from(pre_encode_buffer);
Expand All @@ -225,6 +221,7 @@
msg_id,
store_timestamp: msg_inner.store_timestamp(),
logics_offset: queue_offset,
msg_num: message_num as i32,

Check warning on line 224 in rocketmq-store/src/base/append_message_callback.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-store/src/base/append_message_callback.rs#L224

Added line #L224 was not covered by tests
..Default::default()
}
}
Expand Down
6 changes: 5 additions & 1 deletion rocketmq-store/src/consume_queue/mapped_file_queue.rs
Original file line number Diff line number Diff line change
Expand Up @@ -294,7 +294,11 @@
>= last_mapped_file.as_ref().unwrap().get_file_from_offset() as i64
+ self.mapped_file_size as i64
{
None
if return_first_on_not_found {
first_mapped_file

Check warning on line 298 in rocketmq-store/src/consume_queue/mapped_file_queue.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-store/src/consume_queue/mapped_file_queue.rs#L297-L298

Added lines #L297 - L298 were not covered by tests
} else {
None

Check warning on line 300 in rocketmq-store/src/consume_queue/mapped_file_queue.rs

View check run for this annotation

Codecov / codecov/patch

rocketmq-store/src/consume_queue/mapped_file_queue.rs#L300

Added line #L300 was not covered by tests
}
} else {
let index = offset as usize / self.mapped_file_size as usize
- first_mapped_file.as_ref().unwrap().get_file_from_offset() as usize
Expand Down
Loading
Loading