Jump to content
Featured framework
Carbon for modern Rust servers
Fast, self-updating, and built for performance with seamless in-game plugin and server management.
1,400+ servers powered by Carbon
sale
$40.00 $31.95
ServerPanel adds a player information menu to your server, where you can both share important and useful information with your players and integrate your plugins into it!     🌟  Features User-Friendly Interface: Intuitive GUI for easy navigation and interaction. Economy Integration: Supports various economy plugins for seamless financial management. Dynamic Menu Categories: Organize functionalities into customizable categories for better user experience. Extensive Configuration Options: Almost every aspect of the plugin can be customized, including messages, colors, sizes, fonts, tion. Auto-Open Menu: Automatically displays the menu upon player connection, configurable per server settings. Block Settings: Control access to the menu during building, raiding, or combat situations to enhance gameplay balance. Multiple Economy Head Fields: Display various economic metrics such as balance, server rewards, and bank information. Permission Management: Fine-tune permissions for different user roles to control access to features. Localization Support: Easily translate and customize all messages for different languages. Performance Optimized: Designed to minimize server lag while providing rich functionality. Customizable Hooks: Integrate with existing economy systems using customizable hooks for adding, removing, and displaying balances. Editor Position Change: Admins can now change editor positions with a simple click, choosing between left, center, or right alignments. Command Enhancements: Commands are now processed with multiple arguments separated by "|", enabling bulk command processing.   🎮  Commands /info –  open menu /sp.install  (or) /welcome.install –  open installer menu sp.migrations –  console command for updating plugin data structure when upgrading to new versions. Automatically creates backups before making changes. sp.migrations list – shows available migrations and whether they need to run sp.migrations run <version> – runs specific migration (e.g., "1.3.0") sp.migrations run <version> force – forces migration even if not detected as needed   🛡️  Permissions serverpanel.edit – allows players to edit the plugin settings and open the edit menu serverpanelinstaller.admin - required to access the plugin installation functions   🎥  Video   🖼️  Showcase Templates Template V1 Template V2 Template V3 Template V5 Editor Installer   🧪  TEST SERVER Join our test server to view and experience all our unique features yourself! Copy the IP Address below to start playing! connect 194.147.90.239:28015   📊  Update Fields ServerPanel supports dynamic update fields that can be used in your templates to display real-time information. These fields are automatically updated and can be used in text components, headers, and other interface elements. Player Information {online_players} – Number of currently online players {sleeping_players} – Number of sleeping players {all_players} – Total number of players (online + sleeping) {max_players} – Maximum server capacity {player_kills} – Player's kill count (requires KillRecords, Statistics, or UltimateLeaderboard) {player_deaths} – Player's death count (requires KillRecords, Statistics, or UltimateLeaderboard) {player_username} – Player's display name {player_avatar} – Player's Steam ID for avatar display Economy {economy_economics} – Economics plugin balance {economy_server_rewards} – ServerRewards points {economy_bank_system} – BankSystem balance Note: Economy fields are fully customizable in "oxide/config/ServerPanel.json" under "Economy Header Fields". You can add support for any economy plugin by configuring the appropriate hooks (Add, Balance, Remove). Custom keys can be created and used in templates just like the default ones. Server Information {server_name} – Server hostname {server_description} – Server description {server_url} – Server website URL {server_headerimage} – Server header image URL {server_fps} – Current server FPS {server_entities} – Number of entities on server {seed} – World seed {worldsize} – World size {ip} – Server IP address {port} – Server port {server_time} – Current server time (YYYY-MM-DD HH:MM:SS) {tod_time} – Time of day (24-hour format) {realtime} – Server uptime in seconds {map_size} – Map size in meters {map_url} – Custom map URL {save_interval} – Auto-save interval {pve} – PvE mode status (true/false) Player Stats {player_health} – Current health {player_maxhealth} – Maximum health {player_calories} – Calorie level {player_hydration} – Hydration level {player_radiation} – Radiation poisoning level {player_comfort} – Comfort level {player_bleeding} – Bleeding amount {player_temperature} – Body temperature {player_wetness} – Wetness level {player_oxygen} – Oxygen level {player_poison} – Poison level {player_heartrate} – Heart rate Player Position {player_position_x} – X coordinate {player_position_y} – Y coordinate (height) {player_position_z} – Z coordinate {player_rotation} – Player rotation (degrees) Player Connection {player_ping} – Connection time in seconds {player_ip} – Player's IP address {player_auth_level} – Authorization level (0=Player, 1=Moderator, 2=Admin) {player_steam_id} – Steam ID {player_connected_time} – Connection start time {player_idle_time} – Idle time (HH:MM:SS) Player States {player_sleeping} – Is sleeping (true/false) {player_wounded} – Is wounded (true/false) {player_dead} – Is dead (true/false) {player_building_blocked} – Is building blocked (true/false) {player_safe_zone} – Is in safe zone (true/false) {player_swimming} – Is swimming (true/false) {player_on_ground} – Is on ground (true/false) {player_flying} – Is flying (true/false) {player_admin} – Is admin (true/false) {player_developer} – Is developer (true/false) Network & Performance {network_in} – Network input (currently shows 0) {network_out} – Network output (currently shows 0) {fps} – Server FPS {memory} – Memory allocations {collections} – Garbage collections count Usage Example: You can use these fields in any text component like: "Welcome {player_username}! Server has {online_players}/{max_players} players online."   🔧  API Documentation for Developers ServerPanel provides an API for plugin developers to integrate their plugins into the menu system. Required Methods API_OpenPlugin(BasePlayer player) - Main integration method that returns CuiElementContainer OnServerPanelClosed(BasePlayer player) - Called when panel closes (cleanup) OnServerPanelCategoryPage(BasePlayer player, int category, int page) - Called when category changes (cleanup) OnReceiveCategoryInfo(int categoryID) - Receives your category ID Integration Example [PluginReference] private Plugin ServerPanel; private int _serverPanelCategoryID = -1; private void OnServerInitialized() { ServerPanel?.Call("API_OnServerPanelProcessCategory", Name); } private void OnReceiveCategoryInfo(int categoryID) { _serverPanelCategoryID = categoryID; } private void OnServerPanelCategoryPage(BasePlayer player, int category, int page) { // Cleanup when player switches categories } private CuiElementContainer API_OpenPlugin(BasePlayer player) { var container = new CuiElementContainer(); // Create base panels (required structure) container.Add(new CuiPanel() { RectTransform = {AnchorMin = "0 0", AnchorMax = "1 1"}, Image = {Color = "0 0 0 0"} }, "UI.Server.Panel.Content", "UI.Server.Panel.Content.Plugin", "UI.Server.Panel.Content.Plugin"); container.Add(new CuiPanel() { RectTransform = {AnchorMin = "0 0", AnchorMax = "1 1"}, Image = {Color = "0 0 0 0"} }, "UI.Server.Panel.Content.Plugin", "YourPlugin.Background", "YourPlugin.Background"); // Add your plugin's UI elements here container.Add(new CuiLabel { RectTransform = {AnchorMin = "0.1 0.8", AnchorMax = "0.9 0.9"}, Text = {Text = "Your Plugin Interface", FontSize = 16, Align = TextAnchor.MiddleCenter, Color = "1 1 1 1"} }, "YourPlugin.Background", "YourPlugin.Title"); // Add buttons, panels, etc. using "YourPlugin.Background" as parent return container; } private void OnServerPanelClosed(BasePlayer player) { // Cleanup when panel closes } Header Update Fields API_OnServerPanelAddHeaderUpdateField(Plugin plugin, string updateKey, Func<BasePlayer, string> updateFunction) - Registers a per-player string provider for a header placeholder. Returns true on success. API_OnServerPanelRemoveHeaderUpdateField(Plugin plugin, string updateKey = null) - Unregisters a specific updateKey for your plugin, or all keys for your plugin when updateKey is null. Returns true on success. Usage Example [PluginReference] private Plugin ServerPanel; private void OnServerInitialized() { // Register a dynamic header field for each player ServerPanel?.Call("API_OnServerPanelAddHeaderUpdateField", this, "{player_kdr}", (Func<BasePlayer, string>)(player => GetKdr(player))); } private string GetKdr(BasePlayer player) { // Compute and return the value to display in the header for this player return "1.23"; } Using in UI: Place your key (e.g., {player_kdr}) directly in Header Field texts. The value will be updated per player using your function.   📚  FAQ Q: Why can't I open the menu? A:  Make sure that the plugin is installed and activated on your server. If the problem persists, contact the server administrator. Q: How do I enable Expert Mode? (disables automatic template updates) A: In the data file "Template.json", turn on the "Use an expert mod?" option: "Use an expert mod?": true, P.S.  "Template.json” is located in the "oxide/data/ServerPanel" directory (if you use Oxide) or in the "carbon/data/ServerPanel" directory (if you use Carbon) Q: I see black images with Rust logo or get error 429 when loading images. What should I do? A: These issues occur when there are problems downloading images from the internet. To fix this, enable Offline Image Mode which will use local images instead: Enable the mode in config: Open "oxide/config/ServerPanel.json" (or "carbon/config/ServerPanel.json" for Carbon) Set "Enable Offline Image Mode": true Set up the images: Create folder "TheMevent" in "oxide/data" (or "carbon/data" for Carbon) Download PluginsStorage (click "CODE" → "Download ZIP") Extract the ZIP and copy all contents to the "TheMevent" folder Reload the plugin: Type o.reload ServerPanel (Oxide) or c.reload ServerPanel (Carbon) Note: If using a hosting service, you may need to use their file manager or FTP to upload the files. Q: Does ServerPanel work only with Mevent's plugins? A: Currently, ServerPanel integrates seamlessly with Mevent's plugins (Shop, Kits, Daily Rewards, etc.). However, other developers can use the provided API to integrate their plugins into the menu system. The plugin system is designed to be extensible for third-party integrations. Q: Why do integrated plugins (Shop, Kits) have different window sizes? A: Different plugins may use different templates for integration. Make sure all your integrated plugins use the same template version (V1, V2, etc.) that matches your ServerPanel template. Update the template in each plugin to ensure consistent sizing. Q: The panel displays differently for different players. How can I make it show the same on everyone's screen? A: This issue occurs when players have different UI scale settings. To fix this and ensure consistent display for all players: Open the "Template.json" file located in "oxide/data/ServerPanel" (or "carbon/data/ServerPanel" for Carbon) Find the "Parent (Overlay/Hud)" setting in the "Background" section Change the value from "Overlay" to "OverlayNonScaled" Save the file and restart your server or reload the plugin Q: How can I change the video displayed in the ServerPanel interface to my own custom video? A: Yes, you can replace the default video with your own! You need to find and modify the command: serverpanel_broadcastvideo [your_video_url] Replace [your_video_url] with the direct link to your video. For best compatibility, we recommend hosting your video on imgur.com. Q: My custom images are not loading or show as blank/question marks. What image hosting should I use? A: For custom images, we recommend using imgbb.com for image hosting. Avoid Imgur and services without direct access to the image. For the most reliable experience, use Offline Image Mode with local images instead. Q: How can I make plugin UIs open outside of the ServerPanel menu instead of inside categories? A: You can configure buttons to execute chat commands that open plugin UIs independently. To do this: In your button configuration, set "Chat Button": true Set the "Commands" field to "chat.say /command" (replace "command" with the actual plugin command) Example: To open the Cases plugin outside the menu: "Chat Button": true "Commands": "chat.say /cases" This will execute the command as if the player typed it in chat, opening the plugin's interface independently rather than within the ServerPanel menu. Q: Text in V4 template is shifting or sliding out of place. How can I fix this? A: This issue occurs when text width isn't properly configured. ServerPanel provides "TITLE LOCALIZATION" settings to control text width for categories and pages: Open the ServerPanel editor (click the "ADMIN MODE" button to open the edit menu) Select the category or page you want to edit (click to "EDIT CATEGORY" or "EDIT PAGE" button) In the editor, find the "TITLE LOCALIZATION" section For each language (en, ru, etc.), you'll see three columns: LANGUAGE - The language code TEXT - The localized text content WIDTH (px) - The width setting in pixels Adjust the "WIDTH (px)" value to match your text length. Longer text requires larger width values Save your changes and test in-game Tip: Start with a width value around 100-150 pixels for short text, and increase it for longer titles. You can adjust this value until the text displays correctly without shifting.
5.0
sale
$19.99 $15.99
What it does helps sus out cheating in Rust and assigns each player a risk score. Alerts you via Discord. Optionally shares flagged players across a network of servers. Includes a live web dashboard for tracking players, violations and bans across all connected servers. you are not obligated to use the web service but it helps build the database its set to false by default  although an option automatic report is set to false  you send what you find if you  find there is enough proof  ban intercept so you dont need to use our ban it will pickup on your ban plugin or method Detection modules (all individually configurable) ESP / Wallhack Aimbot (snap angle + alignment tracking with confirmation windows) No-Recoil (shot interval and pattern analysis) Speed Hack (with lag-switch detection and network burst softening) NoClip / Fly Wall Loot (looting through walls with confirmation system) Debug Camera abuse Privilege Escalation (console command monitoring) Strafe & Backpedal hacks (SkillTree compatible) When a player connects Pulls VAC bans, game bans, community bans, account age and name history from Steam Optional ServerArmour integration for extended ban history and risk scoring Alerts Discord on flagged joins, new accounts, VAC bans, name changes Auto Actions (disabled by default) Auto-kick at configurable risk threshold Auto-ban at configurable risk threshold (permanent or timed) Radar radar detects players, sleepers, TCs, stashes, bags, corpses, and player ships Toggleable side strip UI panel Risk scoring Composite score built from all detection modules plus Steam and ServerArmour data Configurable weights per module Score decay over time (configurable) Persists between sessions Requirements Steam API key (required) Discord webhooks (optional but strongly recommended) ServerArmour API key (optional) Setup Drop NexusCheatRadar.cs into /oxide/plugins/ Add your Steam API key to the config Set your Discord webhook URLs for each alert type Adjust detection thresholds to suit your server population and tick rate Web service is optional — detection works fully offline Commands All require nexuscheatradar.admin permission or server console Chat commands: /ncr or /ncr.radar — toggle the admin radar overlay on/off /ncr.strip — toggle the radar side strip UI /ncr.lookup <name|steamid> [team|clan] — full player lookup with risk data /ncr.risk <name|steamid> — show current risk score /ncr.history <name|steamid> — view incident history /ncr.incidents <name|steamid> — view all logged incidents /ncr.stats — plugin stats (online players, tracked states, elevated scores, top scorer) /ncr.reset <steamid> — reset a player's risk score /ncr.watch <steamid> — add to watchlist for extra scrutiny /ncr.unwatch <steamid> — remove from watchlist /ncr.watchlist — show all players currently on watchlist /ncr.ban <steamid> [reason] [appeal link] — manual ban, logged to web dashboard /ncr.unban <steamid> — lift a ban /ncr.webshare <steamid> <type> [notes] — manually push a violation to the network. Types: aimbot esp no_recoil speed_hack noclip wall_loot priv_escalation strafe_hack debug_cam /ncr.test norecoil|aimbot|esp — sends a test message to the corresponding Discord webhook to confirm it's working Console commands (server console or RCON only): ncr.testmode <steamid> <true|false> — enable test mode against a specific player to verify alerts and web sync without a real cheater Web Service (completely optional) Detection works 100% offline. Turning it on helps other servers and gives you : Shared suspicious player data across all connected servers Public dashboard — players, violations, bans, server status Server owner portal — manage bans, view player list  Group Key — one key to manage multiple servers from a single portal login please make it a unique key as the larger the comunity the more likely simple keys can be accidently duplicated  Player appeal URL — set a Discord or website link per server so banned players know where to appeal Dashboard: nexuscheatradar.pages.dev Group Key (multi-server owners) Set the same GroupKey in the config on each of your servers. Log into the server portal with the group key instead of a server key to manage all servers from one view Group Key can be changed at anytime  Warnings Do NOT change the Server UUID once generated — it will orphan all your data and break web sync Do NOT rename the plugin file — Oxide uses the filename as the plugin ID Do NOT share your Server Key or Group Key publicly — treat them like passwords pick and choose who has access to group key  dont give it to the trigger happy admin  Troubleshooting Too many alerts → raise the probability thresholds in config, defaults are conservative False positives are expected especially on high-pop or laggy servers — tune gradually Alerts not arriving → run /ncr.test aimbot to confirm your webhook URL is working Web not connecting → check your Supabase URL and API key in config Wrong risk score → run /ncr.risk <name> or /ncr.lookup <name> to force a re-scan SkillTree conflicts → enable SkillTree compatibility mode in config to suppress false speed and strafe detections (adding more supression for skilltree users in future releases ) Config format may change between versions — check changelog before updating we are still beta  ..Bugs will happen. Threshold tuning will be needed. Expect some trial and error getting it dialled in for your server. dashboard will remain free as long as i can find a way to keep it free  Dashboard — nexuscheatradar.pages.dev
5.0
sale
$7.00 $6.80
HI ALL! DESIGN CREW WITH YOU! DESIGN STUDIO FOR RUST PROJECTS. With this template you can make your own unique cases. Bright and high-quality effects will highlight your products among other projects.  
0.0
CodeFling Creator Bot is a Discord bot, written in Python using Discord.py. The bot monitors users specified in the config and using the CodeFling API, sends notifications to Discord for various actions: New Releases (Plugins, Maps, Tools etc) Plugin/Release Updates New Comments/Discussion Posts New Support requests and replies to threads New Reviews New Private Messages The bot is lightweight and written with efficiency and reliability in mind. It makes only the API calls it needs and stores data in an SQLite database for use later. When guild members use the bot commands, the data is pulled from the local database and doesn’t make extra calls to the API, which means you don’t need to worry about rate limiting or getting banned by the API. The bot polls the API looking for new content at set periods as set in the config, notifying about new content and then updating the database with new data. PLEASE NOTE: Requires Python 3.6 or higher.   README: CodeFling Creator Bot 1.1.1 Discord Bot by ZEODE ========================================== Minimum requirements: Python 3.6 or higher Dependacies: Discord.py aiohttp Using pip: pip install -U discord.py pip install -U aiohttp The -U flag just means “upgrade to the latest version if already installed.” Using apt: apt install python3-discord apt install python3-aiohttp This file explains each configuration option in config.json *************** DEFAULT CONFIG FILE IS CREATED ON FIRST RUN *************** DISCORD SETTINGS ---------------- Make sure your Discord bot has at least "Send Messages", "Read Message History" and "Embed Links" permissions. bot: bot_token: Your Discord bot token from the Discord Developer Portal. Get it from: https://discord.com/developers/applications channels: release_channel_id: Discord channel ID where file release/update notifications will be posted. To get channel ID: Enable Developer Mode in Discord settings, right-click channel, "Copy ID" purchase_channel_id: Discord channel ID for purchase notifications (recommend private channel). Shows when someone buys one of your paid plugins. support_channel_id: Discord channel ID for support request notifications. comments_channel_id: Discord channel ID for comment/discussion notifications. Shows when users comment on your files (excludes file author replies). downloads_channel_id: Discord channel ID for file downloads notifications (recommend private channel). Shows when users download your files. reviews_channel_id: Discord channel ID for file review notifications. Shows when users review a monitored file. messages_channel_id: Discord channel ID for user message notifications (recommend private channel). Notifys when a monitored user receives a message on CodeFling. commands_channel_id: Discord channel ID for people to use bot commands. People can use bot ! commands here, all user messages can be cleaned automatically, see below. admin_commands_channel_id: Channel for users with the bot admin role to use admin commands away from public channels All normal commands also work here for bot admin role users to use here too NOTE: - Leaving any of the channel IDs blank will disable notifications for those actions - Although there are separate channels for each type in the config, this is just for anyone wanting this, if you want you can put the same channel ID in more than one channel config misc: clean_commands_channel: If true, users messages are automatically deleted shortly after they are sent to the channel. max_number_files_to_list: Number of files to return when users use the "!list plugins" command bot_admin_role_id: Users need this role to use the admin only commands ping_release_channel: If this is true, new releases or updates to files will be notified with the @everyone tag presence: enabled: true or false to enable or disable Discord presence. type: Available options: "playing" "watching" "listening" "competing" text: The text to display, e.g. www.codefling.com CODEFLING SETTINGS ------------------ monitored_users: Dictionary of Codefling user IDs and their API tokens. Format: "user_id": "api_token" How to get your User ID: - Visit your Codefling profile - Hover over or click on "See my activity" - Your user ID is in the URL: https://codefling.com/profile/USER_ID-username/content/ - Copy just the numbers, without the "-username" part How to get API Token: - Visit: https://codefling.com/settings/apps/ - Click "Add App" > "Creator API" - Select "All" under scopes - Copy the access token to paste in your config NOTE: For message_buyer_on_purchase you will require a Creator Pro API token. Example: "monitored_users": { "user_id_1": "your_api_token_here", "user_id_2": "another_api_token" } Note: Each user needs to use their own API token. poll_interval_seconds: How often (in seconds) the bot checks Codefling for new content. Default: 120 (2 minutes) Suggested values: | Type | Safe poll interval | Notes | | ----------------------- | ------------------ | ----------------------------------- | | Light use (1–2 authors) | 60 s | Feels instant, safe if few requests | | Medium (3–5 authors) | 120 s | Recommended default | | Heavy use (5+ authors) | 300 s | Low strain, good scaling | | Massive / strict API | 600–900 s | Extremely safe | Note: Too frequent polling may hit API rate limits. The more files a user has, the harder it is on the API leading to possible rate limits or IP ban, so be cautious. retention_days: How many days of historical data to track and store. Default: 7 days The bot will: - Only notify about content within this time window - Automatically clean up older data daily - On first run, load existing content from this period Recommended values: - 7 days (minimal storage) - 30 days (balanced) - 90 days (extended history) NOTE: Monitored resource/file data is kept indefinitely for users !stats !list commands etc, but the bot will only look for new actions within this period to send notifications to Discord or not. This maintains speed and performance so the bot isn't retreiving more data than is necessary with each API call. In most cases, 7 days should be more than sufficient for all use cases. message_buyer_on_purchase: If true, when a new purchase is detected, the bot will send a private message on the Codefling website with the message content taken from users/{userid}/purchase_message.txt. This can be edited to whatever you like, using html formatting and with available placeholders: {buyer_name} {resource_name} {resource_url} {support_url} NOTE: You will require a Creator Pro API token to use this feature!!! notify_support_request_replies: Limitation of the API at present means that it is not possible to know the reply comment author in support requests. Therefore we cannot filter replies by the file owner, so all replies will be announced, inclduing from the file owner. If you do not want this, you can disable announcing replies so that only new support requests are announced. If the API endpoint is updated in future this can be improved. LOGGING SETTINGS ---------------- timestamp_date_format: The format for timestamps in the console/log output. Availble: - %d - %m - %y e.g: %d-%m-%y would make something like 30-10-25 timestamp_time_format: Specify the format for the timestamp. - 12h - 24h log_file_path: Set the path to the OPTIONAL log file. If left blank, no log file will be used. API OPTIONS ----------- Note: You can usually leave this as is and it will work absolutely fine. max_attempts: How many times to try an API request if it fails before giving up on that attempt Useful for occasional CloudFare errors/timeouts timeout_seconds: How long to wait before retrying a API request due to timeout DEBUG OPTIONS ------------------ enable_verbose_debug_logging: As it says, enabled verbose loigging which can help in troubleshooting issues. Default is false. config_version: DO NOT EDIT THIS COMMANDS ------------------ NOTE: Commands by users do not query the CodeFling API every time. They only retreive data from the SQLite database, so you don't have to worry about rate limiting or banning from users abusing the commands on Discord. This also means it is much quicker with results. The database is updated with all the info every time the API is queried as per the poll rate in the config only. Non-Admin Commands: !help Lists all available commands !stats [username] Get own stats without parameter if you are monitored by the bot or get stats for the user specified !list files List all files monitored by the plugin (config option to limit results) !list authors List all file authors/devs monitored by the bot !file <FileName> / !file <file_id> Give information about that file Admin Commands: !user add <user_id> <api_token> Add the specified user ID and API token to the bot, save in the config and begin monitoring !user remove <user_id> Stops monitoring and removes the specified user ID from the bot and config !rotate Immediately rotate the log file and begin a new blank log file (rotated files saved in logs/) !cleardb Immediately clear the SQLite database and re-seed a new database (ALL DATA WILL BE CLEARED) !test <review|download|purchase|comment|support|message> Send a test notification to Discord for the most recent entry of the given type !test <purchase_msg> <user_id> <purchaser_id> Send a test purchase message by PM on CodeFling !test <file> [new|updated] Send a test notification to Discord for the most recent entry for files/releases, using the new or updated parameter accordingly/ FIRST RUN BEHAVIOR ------------------ On first run, the bot will: 1. Create a SQLite database (codefling_bot.db) 2. Load/Cache all users existing files. 3. Load/Cache all existing content from the last N days (retention_days) 4. DOES NOT send any notifications for existing content 5. Only notify about NEW content after initialization On subsequent runs: 1. Check for content created while bot was offline 2. Send notifications for missed content 3. Continue normal monitoring TROUBLESHOOTING --------------- No notifications appearing: - Verify channel IDs are correct - Check bot has "Send Messages", "Read Message History" and "Embed Links" permissions - Confirm API tokens are valid and have correct scopes Getting rate limited: - Increase poll_interval_seconds value - Default 300 seconds (5 minutes) should be safe Bot sends old notifications on startup: - This is normal if content was created while bot was offline - Bot catches up on missed content within retention period - On first run, no old notifications should appear SUPPORT ------- For issues with the bot, check console output for error messages. Get more support in my Discord: https://discord.gg/jnyg3FvDnc For Codefling API issues, see: https://codefling.com/developers    
5.0
$69.69
Welcome to SYNECDOCHE! Synecdoche (noun) Sin-eck-doh-key: A figure of speech in which a part is made to represent the whole. Crafted over the course of years, this map offers something extraordinarily rare in this community. Custom monuments are amazing and fun to explore! I've seen so much hard work go into them and people have made some really cool stuff. However, custom monuments are only a small part of the level design in Rust. Wouldn't it be nice if we could get as much unique design detail out of the rest of the map? Wouldn't it be nice if your server felt like a real place, instead of a procedural blob map? A Map Focused on Detail, no matter where you are: But who would be insane enough to do such a thing? And how would it be possible? A 4k Rust map is 16 square kilometers. To make this feel like a real place, and give each space the attention to detail it needs demands thousands of hours working with consistent standards. This is why almost all of the maps aside from a handful on these sites will choose to use some form of procedural generation, and what makes synecdoche so uncommon. Every square meter was hand crafted with care, to make a place that feels alive and fantastical. it's what makes the map feel so beautiful. Still Not Convinced? Well, here's some of the feedback we've gotten from the community! Where Reality Meets Fantasy Each and every spot on the map was precisely manicured to feel unique and significant. Every rock has its purpose, and every nook and cranny was deliberately sculpted to inspire exploration. There are no locations on the map that were forgotten or left behind. Each location plays its part to represent the world as a whole. Information and Specifics: This map includes only vanilla monuments and can be run under the community tab. It does not require any 3rd party dependencies, not even the RustEdit Oxide DLL. However, you will need to place the included Harmony mod in you harmony folder to prevent Cargoship from leaving the map while it docks at the northern harbor. Size: 4096 x 4096 Entity Count: ~68,000 Prefab Count: ~16,000 Can Edit: True Required Plugins: Block CargoShip Egress (Included with Map Download) Monuments Junkyard Trainyard Outpost Bandit Camp Fishing Village (X3) Missile Silo Arctic Research Base Military Base (X2) Airfield Water Treatment Plant Sewer Branch (X2) Satellite Dish The Dome Harbor (X3) Military Tunnel Launch Site Power Plant Mining outpost (X7) Oxum's Gas Station Supermarket (X3) Lighthouse (X5) Abandoned Cabins Oil Rigs (large and small) Caves Underground train system Aboveground train system Underwater Labs (X2) Featured Videos:        
4.8
$29.99
Basements lets players build underground rooms beneath their bases. Place a hatch on your foundation and dig straight down into a hidden basement with walls, ceilings, and full building privileges. Great for stashing loot, setting up secret bunkers, or just adding extra space. Readme Link - Click Here for Instruction and Documentation 👆Highly recommend reading the FAQ section! BUILD Build basements easily from your tool cupboard. Just place an entrance to get started.  EXPAND Expand your basement by drilling underground. But don't forget to bring a headlamp - its dark down there! TRAVERSE Place multiple entryways, building out your labyrinth of tunnels beneath your base.  DECORATE All deployables, electricity, and storage items can be placed in your basement. Take advantage of your new space! RAID Nothing is safe in Rust, including your basement. If all the entrances are destroyed, then the basement is too. Any loot below will float to the surface. Protect the entrance at all costs! API METHODS (For Plugin Developers) // Returns true if the given entityId is part of a basement. bool IsBasementEntity(ulong entityId) // Returns the building ids of the basements connected to a given surface building id. uint[] GetBasementBuildingIds(uint surfaceBuildingId) // Returns the building ids of the surface buildings connected to a given basement building id. uint[] GetSurfaceBuildingIds(uint basementBuildingId) Extension Plugins These are free plugins that add additional functionality to Basements. BasementsManager Provides a UI for admins to view and manage the basements on the server. Useful for debugging & fixing issues. Use with the /bm command, requires the basements.admin permission to use. BasementsManager.cs
4.9
$29.99
MyRustServer is a Rust Server Tool that allows you to create and manage your own Rust Server in just a few clicks. The tool brings many possibilities and options that simplify your life as a server admin. No unnecessary creation of batch files, easy installation of the server and extensions, easy updating of your plugins, wipe your server with one click and manage your players. Join the discord for better and faster support ❤️ Big thanks to everyone who supports the project and helped me ❤️   You can run MyRustServer on up to 4 different systems. You can create as many servers on one system as your hardware allows. It is a standalone program for Windows Only, with which you can host your own server, connecting to other server host service providers is not possible. No Support for OneDrive Drives. No Support for Cracked Servers.   The dashboard shows you all relevant information about your server. Here you control your server. Auto Restart Server Auto Update Server Auto Update Oxide/Carbon Only Updates on Startup Force Restart Set Game Mode (Vanilla, Survival, Softcore, Hardcore, Weapontest and Primitive) Set CPU Affinity Set Process Priority Start/Restart Kill and Save Server With the installer you can easily install and update your server. No batch files are used. Server Install or Update Server (Master, BETA, AUX01, AUX02, AUX03) Verify Server Files Repair Server Files Install Discord Extension Install RustEdit Install Rust.UI Oxide Install Oxide (Public, Staging) Update/Uninstall Oxide Show Server in Modded/Community Permisson Manager Carbon Install Carbon (Production, Preview, Edge, Staging, AUX02, AUX03) Update/Uninstall Carbon Show Server in Modded/Community Under Settings you give your server your personal touch. Here you can set everything for your server. Server Settings Name Logo URL Web URL App Logo URL Description Tags Max Players Add Users (Admins, Mods) RCON Password Add Ports to Windows Firewall Server Port RCON Port Query Port App Port Server IP RCON IP Add Custom Maps Server Map (Procedural, Custom, Barren, Hapis Island, Craggy, Savas Island, Savas Island Island_koth) Map Size Map Seed Start Configs (convars) Backups (MRS, Oxide/Carbon, Server, Harmony) Advanced Settings Create Backup on Server Start Minimize Server Console at Startup Start Rust Server on MyRustServer Startup Disable MyRustServer Console Process Start Commands for RustDedicated.exe In Plugins you can easily manage your plugins. No annoying manual reload after editing. Plugins Reload Update View Website Enable/Disable Delete Update Check Plugins for Update (Supported sites for checking are: uMod, Codefling, Lone.Design, Chaos, RustWorkshop, Github, ModPulse, RustPlugins, ServerArmour, ImperialPlugins, MyVector, SkyPlugins, Game4Freak) Update Plguin (Only plugins from uMod can be updated directly from MyRustServer.) Editor Edit Configs/Data Auto Reload Plugin on Save Reload Search by Text Plugin Installer Install Plugins from uMod Here you can create your own schedule if I don't have time at the moment. Wipe Shedule Blueprints, Map, Backpacks, Logs, Player Deaths, Player Identities, Player Stats, Player Tokens, Custom Folder/File Custom Map New Map Seed on Wipe Custom Seed Date to Server Title Customs (Wipe Shedule) Custom Maps Custom Seed Wipe Blueprints, Map, Backpacks, Logs, Player Deaths, Player Identities, Player Stats, Player Tokens, Custom Folder/File Custom Map New Map Seed on Wipe Custom Seed See exactly who is on your server. Online Player List Offline Player List Banned Player List Give Item Open Steam profile Copy SteamID Copy Name Check IP Kick Player Ban Player Teleport to Me to Player Teleport Player to Me Set/Remove Admin/Mod White List Kick Max Allowed Bans Kick Max Allowed Ping Enable Whitelist Block Country View Server Console Send Commands/Say to your Server Add Quick Commands Connect your server to your Discord to use as remote control or status information. Start Bot on MyRustServer Startup Bot Commands: send Commands talk to Server check server status start the server stop the server restart the server kill the server version status update server update Oxide update Carbon check plugins Webhooks: Send Server Startup Send Server Online Send Server Offline Send Server Restart Send Client Update Send Server Update Send Oxide Update Send Carbon Update Send Wipe Notification Send Low FPS Warning Send Plugins Update Personalize your server messages. Send Server Messages (Restart, Updates and Wipe) Send Custom Messages Send Custom Commands Sets for each Message a Time Determine how long your server needs until it is reloaded. Server Restart Server Update Update Oxide/Carbon Server Wipe              
5.0
$33.99
XDQuest: A comprehensive and customizable quest system for your RUST server! XDQuest is a powerful and flexible plugin that introduces a comprehensive and dynamic quest system into your game world. With 31 different types of missions available for players, the possibilities are almost limitless. Players receive various rewards for completing missions, adding even more incentive to accomplish tasks. At the moment, this is the largest and only quest system available! XDQuest is your key to creating endless adventures in the world of RUST. List of features: (The description briefly outlines the functionality and includes screenshots.) Interactive website for creating quests: XDQuest-Creater - On my website, you can easily and quickly create quests. Forget about manually editing JSON files — my user-friendly interface will make the quest creation process simple and enjoyable! The plugin offers four types of rewards: Items Blueprints Custom items Commands It integrates perfectly with various economic systems, and also supports Skill Tree and ZLevels. List of missions Mission setup Reward setup Detailed instructions and settings on the website: XDQuest-Creater - My website features clear and informative instructions that will help you configure the plugin and master all types of missions. You will gain access to it immediately after purchasing the plugin. Discover the simplest and most effective way to configure using my guide! Beautiful and modern UI: The stylish and intuitive interface makes using XDQuest simple and enjoyable. There is a mini-quest list that allows your players to remotely track the progress of their missions. UI UI Mini quest list Example of UI customization (Rusty Wasteland PvE) Capabilities and NPC settings: NPCs have their own voice-overs; currently, they can respond to the user on 4 triggers: 1.Greetings 2.Farewells 3.Task acceptance 4.Task completion You can also upload and use your own sounds for any of these 4 triggers, and the website will assist you with this as well. Dress your NPC however you like and create a unique appearance for them. There is an option to change the location of the NPC. Your NPC resides in a unique dwelling created in accordance with their character and backstory. Available types of missions: Currently, there are 24 different types of tasks available: (The types of missions are constantly being updated) (16 pre-set quests included) Command: Chat commands: /quest.saveposition - saves a custom position (available only to administrators). /quest.saveposition.outpost - saves a custom position within the bounds of a peaceful town (available only to administrators). /quest.tphouse - teleport to a building (available only to administrators). Console commands: xdquest.stat - publishes statistics. xdquest.player.reset [steamid64] - Clears all of a player's missions and everything associated with them. Configuration: Discord  -  DezLife Website editor  -  xdquest.skyplugins.ru
4.7
$45.90
Sea Skull is a custom map full of islands surrounded by multiple places to build. Get ready for survival in a world with creature wreckage, tornado and the legendary Kraken. Build your home in caves, land and air platforms, under bridges and in multiple locations that will surprise you. - FEATURES Size: 6000. Objects: 36561. Map protection plugin included. Editable map: Yes. - CONTAINS ALL OFFICIAL MONUMENTS Ziggurat temple • Jungle ruins • Radtown • Ferry Terminal • Nuclear missile silo • Large oil platform • Small oil platform • Submarine laboratories • Harbor • Large fishing villages • Fishing villages • Launch site • Satellite dish • The Dome • HQM Quarry • Stone quarry • Sulfur quarry • Arctic Research Base • Sewer Branch • Train yard • Junkyard • Abandoned military bases • Military tunnel • Caves • Large barns • Ranch • Bandit camp • Power plant • Swamp • Airfield • Giant excavation • Outpost • Lighthouse - PREFABRICATED AND CUSTOMIZED MONUMENTS Large oil platform (This monument contains a subway access, this monument can be reached by train).  Small oil platform (This monument contains a subway access, this monument can be reached from the train). Heli Tower. Airfield with Bradley Patrol and railroad tracks. Bradley tank patrolling the map. Aerial platforms. The dome (with train tracks). Bridges with Construction Area. Missile launching with train tracks. Kraken creature in town. Tornado. Remains of mythological creatures. Sand. Caves with construction area and electricity. Quidditch Pitch (Harry Potter). Gigantic area with multiple Oilrig. H1Z1 Lab. Aircraft carrier. Six islands for events, Located around the map. You can use the islands for the Raidable Bases plugin. Islands (Oasis).   - TIPS Setting your server to Survival mode will add an extra fun mode to this map (Optional). Have fun 🙂    
5.0
DemoPro: The Anti Cheat That Works 🎥 DemoPro turns F7 reports into a single evidence bundle with timeline markers + jump points, so you can jump straight to the key moments fast. It captures footage  Before / during / after the f7 report is made Cheaters can’t hide from this system — no more relying on outdated anti-cheat plugins. This is clear video evidence that makes decisions easier, faster, and fairer. 100% accurate, No False Positives  Key Features 🎥      ✅ Converts **F7 reports** into a  single evidence bundle      ✅ Records BEFORE, DURING, and AFTER every F7 report. You NEVER miss what happens.      ✅ Saves you and your admins loads of time. No more wasting hours spectating players      ✅ Smart sorts demos with Timeline markers + jump points  to reach key moments fast      ✅ Private portal access for you and your admins with **Steam sign-in**      ✅ Assignments, notes, outcomes  (keeps reviews organised)      ✅ Server-friendly: all data is stored off-site on your account, not on your game server, keeping things lightweight and smooth.      ✅ Can be use as a content tool,  you can make cinematic videos from the demos you receive.      ✅ Fully compatible with all Rust server setups.   Proof it works: 🔍 join our Discord and check out the #cheater-clips channel  https://discord.gg/2DCfVFFgvW   7-day free trial: https://rustdemopro.com   RustAdmin Integration: https://www.rustadmin.com Visual snippet of recoil mapping with each attack in timeline Shareable filtered portal links Discord ban feed + global portal search Redesign the portal + dashboard for a more modern and fluid feel  New portal is now live Future Updates AI Integration 🧠 Introduce an AI/ML system that analyses demo files to learn the difference between normal players behaviour vs a cheaters behaviour All Seeing Eye  👁️ An AI powered monitoring layer that automatically flags suspicious players and triggers evidence capture without relying on F7 reports.   Set Up Guide   Step 1 — Create Your DemoPro Space Sign in at https://rustdemopro.com using your Steam account Create your community space Choose monthly or annual billing (includes a 7-day free trial)   Step 2 — Install the Harmony Mod Copy the DLL into: server_root/HarmonyMods/ Start the server once to generate: server_root/HarmonyConfig/ (this contains the config) After editing the config, run: rdm.reloadcfg to apply changes   Step 3 — Connect Your Server In the portal, generate a Server Key Paste the key into the plugin config Make sure uploads are enabled in the config Reload the config, enter this command in your console rdm.reloadcfg    Step 4 — Reports Create Cases When an in-game report (F7) happens, DemoPro automatically builds an evidence bundle The bundle is uploaded to your portal as a case for review   Step 5 — Review & Decide Open the case, assign it, and add notes Download the bundle, jump to the timeline markers Mark the outcome as Reviewed (Clear) or Reviewed (Cheating) with notes for your team If you need any help setting up DemoPro, please open a ticket on our Discord.         How it works  🎥 Server records players in 15-minute chunks with ~30 minutes rolling history. When someone is F7 reported, Demo Pro grabs the “before” buffer and keeps recording. 15 minutes later it adds the “after” clip and uploads everything to the portal. If a player disconnects/reconnects, chunk lengths can be shorter than 15 minutes—that’s normal. Portal statuses 🎥 Players reported → Clip uploaded → Needs Review → Admin downloads → Admin reviews → Mark result Needs Review — new or reset incidents. Downloaded (Needs Review) — someone pulled the bundle but hasn’t finished. Reviewed — Clear / Reviewed — Cheating — finished decisions. Opening & assigning a report 🎥 Click Open on a card to see details. Assign it to yourself immediately and add notes as you investigate. Set the review state to Reviewed (Clear) or Reviewed (Cheating) when done. Assignments and outcomes keep other moderators from duplicating work. Finding the action fast 🎥 Timeline dots: hits/shots, kills, report moment. Use the event feed to jump to notable damage or kill events. Report marker shows where the F7 report landed inside the clip. Downloading the bundle Use Download bundle for a ZIP containing .dem files and a README. The README points to the first demo and the timestamp to jump to—start there. Clip lengths can vary if players disconnect; that’s expected. Load demos into Rust 🎥 Copy the suggested .dem into C:\Program Files (x86)\Steam\steamapps\common\Rust\demos. If the demos folder doesn’t exist, create it (restart Rust once if needed). Playing + controls From Rust main menu, open the Demo browser, refresh, pick the file, and play. Use Alt to toggle cursor, Tab for UI, and debugcamera to free-fly. Cycle nearby players with Spacebar; pause/rewind/fast-forward as needed. Review guidance 🎥 Use the README timestamps as a starting point; check other demos if nothing obvious. If cheating is confirmed: capture proof, upload to the usual place, mark Reviewed (Cheating), and leave clear notes. If clean: mark Reviewed (Clear) and add a quick note (e.g., desync, valid prefire). long story short, when someone f7 reports, you can get a clip, you replay in rust of exactly why, and it shows footage before and during the report. For tips and useful keybinds to help you get the most out of DemoPro, check out the dedicated channels in our Discord.    Discord: https://discord.gg/2DCfVFFgvW Website: https://rustdemopro.com/ Youtube: https://www.youtube.com/@RustDemoPro Cheater Videos            
5.0
Community Picks
Highest Rated
Top-rated picks trusted and loved by the community.
Trending
Trending Files
Popular picks members are downloading the most right now.
Deals
Great Deals
Discounted picks, limited-time deals, and sale items worth grabbing now.
Fresh Updates
Recently Updated
Recently improved files with fresh updates, fixes, and new content.
Community Feedback
Latest Reviews
See what customers are saying about their experience with files.
Before purchasing this product, I consulted with the creator and carefully considered my decision. After testing both AdminRadar and AdminESP together, I could clearly see the performance differences between the two. ESP is, as the name suggests, a plugin for tracking player locations. When compared to AdminRadar, AdminESP boasts a 0.2-second response time, while AdminRadar takes about 3 seconds. This difference in response time is quite significant. When it comes to ESP, AdminESP is
If server owners are wondering which plugin they should buy first, they will usually look for top-ranked plugins on uMod such as Gather Manager, Stack Size Controller, Vanish, and so on. I was the same, but after discovering the Admin Menu plugin, this became my number one choice. It’s incredibly convenient and useful. After purchasing this plugin, I ended up unloading more than five other plugins. Long reviews can be tiring to read, so I’ll keep it simple — this is one of the best plu
Would love to love it, but I just can’t. I’ve been trying to use UL for a while now and have run into many different issues. Admittedly, some of them were caused by myself and were quickly resolved with the help of Mevent’s awesome support team on Discord. However, even after clearing every obstacle I had created myself, I still found myself disappointed by several internal issues with the plugin - starting with its performance and extending to quality-of-life features. Even after sugg
Been using this on my server and it just works. Gets rid of sleepers in safezones and monuments so people can’t hide loot or log off in dumb spots. Since adding it, loot respawns feel better and everything stays way cleaner. Didn’t have to mess with anything either — just dropped it in and that was it. If you run a server, it’s worth it. It keeps things fair and stops the usual abuse.
Sweaty little one-grid. Airfield’s just constant fights and you’re never safe—always some rat lurking. Build spots are actually decent though, loads of flat areas and shallow water so you can set up something solid or hide your loot. Runs smooth, no laggy crap. Not chill at all—just pure Rust chaos... Love it 🙂
even with the new naval update this plugin still remains fk.... awesome and U Adem one of the best
These plugins are great! Dev has been updating whenever needed. Works flawlessly. Creates great battles on PVP servers, and FOMO on PVE servers. Would recommend Stone/Sulfur/Metal Events by this Dev!
These plugins are great! Dev has been updating whenever needed. Works flawlessly. Creates great battles on PVP servers, and FOMO on PVE servers. Would recommend Stone/Sulfur/Metal Events by this Dev!
These plugins are great! Dev has been updating whenever needed. Works flawlessly. Creates great battles on PVP servers, and FOMO on PVE servers. Would recommend Stone/Sulfur/Metal Events by this Dev!
This is a really cool plugin, both visually and functionally. The developer is also very competent and helps quickly with any problems. I highly recommend this plugin!

About Us

Codefling is the largest marketplace for plugins, maps, tools, and more, making it easy for customers to discover new content and for creators to monetize their work.

Downloads
2.4m
Total downloads
Customers
10.7k
Customers served
Files Sold
155.1k
Marketplace sales
Payments
3.3m
Processed total
×
×
  • Create New...

Important Information

We have placed cookies on your device to help make this website better. You can adjust your cookie settings, otherwise we'll assume you're okay to continue.