text
stringlengths
1
41.2k
label
stringclasses
55 values
dataType
stringclasses
2 values
communityName
stringclasses
55 values
datetime
stringdate
2011-10-28 00:00:00
2025-04-25 00:00:00
username_encoded
stringlengths
136
160
url_encoded
stringlengths
220
332
Similar to my last post, I was reading a lot about OIDC and created this explanation. It's a mix of the best resources I have found with some additions and a lot of rewriting. I have added a super short summary and a code example at the end. Maybe it helps one of you :-) This is the [repo][repo-ref]. # OIDC Explained Let's say John is on LinkedIn and clicks _'Login with Google_'. He is now logged in without that LinkedIn knows his password or any other sensitive data. Great! But how did that work? Via OpenID Connect (OIDC). This protocol builds on OAuth 2.0 and is the answer to above question. I will provide a super short and simple summary, a more detailed one and even a code snippet. You should know what OAuth and JWTs are because OIDC builds on them. If you're not familiar with OAuth, see my other guide [here][ref_oauth_repo]. ## Super Short Summary - John clicks _'Login with Google_' - Now the usual OAuth process takes place - John authorizes us to get data about his Google profile - E.g. his email, profile picture, name and user id - **Important**: Now Google not only sends LinkedIn the access token as specified in OAuth, **but also a JWT.** - LinkedIn uses the JWT for authentication in the usual way - E.g. John's browser saves the JWT in the cookies and sends it along every request he makes - LinkedIn receives the token, verifies it, and sees "_ah, this is indeed John_" ## More Detailed Summary Suppose LinkedIn wants users to log in with their Google account to authenticate and retrieve profile info (e.g., name, email). 1. LinkedIn sets up a Google API account and receives a client_id and a client_secret - So Google knows this client id is LinkedIn 2. John clicks '_Log in with Google_' on LinkedIn. 3. LinkedIn redirects to Google’s OIDC authorization endpoint: https://accounts.google.com/o/oauth2/auth?client_id=...&redirect_uri=...&scope=openid%20profile%20email&response_type=code - As you see, LinkedIn passes client_id, redirect_id, scope and response_type as URL params - **Important:** scope must include openid - profile and email are optional but commonly used - redirect_uri is where Google sends the response. 4. John logs into Google 5. Google asks: '_LinkedIn wants to access your Google Account_', John clicks '_Allow_' 6. Google redirects to the specified redirect_uri with a one-time authorization code. For example: https://linkedin.com/oidc/callback?code=one_time_code_xyz 7. LinkedIn makes a server-to-server request to Google - It passes the one-time code, client_id, and client_secret in the request body - Google responds with an **access token and a JWT** 8. **Finished.** LinkedIn now uses the JWT for authentication and can use the access token to get more info about John's Google account ## Addendum In step 8 LinkedIn also verifies the JWT's signature and claims. Usually in OIDC we use asymmetric encryption (Google does for example) to sign the JWT. The advantage of asymmetric encryption is that the JWT can be verified by anyone by using the public key, including LinkedIn. Ideally, Google also returns a refresh token. The JWT will work as long as it's valid, for example hasn't expired. After that, the user will need to redo the above process. The public keys are usually specified at the JSON Web Key Sets (JWKS) endpoint. ## Key Additions to OAuth 2.0 As we saw, OIDC extends OAuth 2.0. This guide is incomplete, so here are just a few of the additions that I consider key additions. ### ID Token The ID token is the JWT. It contains user identity data (e.g., sub for user ID, name, email). It's signed by the IdP (Identity provider, in our case Google) and verified by the client (in our case LinkedIn). The JWT is used for authentication. Hence, while OAuth is for authorization, OIDC is authentication. Don't confuse Access Token and ID Token: - Access Token: Used to call Google APIs (e.g. to get more info about the user) - ID Token: Used purely for authentication (so we know the user actually is John) ### Discovery Document OIDC providers like Google publish a JSON configuration at a standard URL: `https://accounts.google.com/.well-known/openid-configuration` This lists endpoints (e.g., authorization, token, UserInfo, JWKS) and supported features (e.g., scopes). LinkedIn can fetch this dynamically to set up OIDC without hardcoding URLs. ### UserInfo Endpoint OIDC standardizes a UserInfo endpoint (e.g., https://openidconnect.googleapis.com/v1/userinfo). LinkedIn can use the access token to fetch additional user data (e.g., name, picture), ensuring consistency across providers. ### Nonce To prevent replay attacks, LinkedIn includes a random nonce in the authorization request. Google embeds it in the ID token, and LinkedIn checks it matches during verification. ### Security Notes - HTTPS: OIDC requires HTTPS for secure token transmission. - State Parameter: Inherited from OAuth 2.0, it prevents CSRF attacks. - JWT Verification: LinkedIn must validate JWT claims (e.g., iss, aud, exp, nonce) to ensure security. ## Code Example Below is a standalone Node.js example using Express to handle OIDC login with Google, storing user data in a SQLite database. Please note that this is just example code and some things are missing or can be improved. I also on purpose did not use the library openid-client so less things happen "behind the scenes" and the entire process is more visible. In production you would want to use openid-client or a similar library. Last note, I also don't enforce HTTPS here, which in production you really really should. ```javascript const express = require("express"); const axios = require("axios"); const sqlite3 = require("sqlite3").verbose(); const crypto = require("crypto"); const jwt = require("jsonwebtoken"); const session = require("express-session"); const jwkToPem = require("jwk-to-pem"); const app = express(); const db = new sqlite3.Database(":memory:"); // Configure session middleware app.use( session({ secret: process.env.SESSION_SECRET || "oidc-example-secret", resave: false, saveUninitialized: true, }) ); // Initialize database db.serialize(() => { db.run( "CREATE TABLE users (id INTEGER PRIMARY KEY AUTOINCREMENT, name TEXT, email TEXT)" ); db.run( "CREATE TABLE federated_credentials (user_id INTEGER, provider TEXT, subject TEXT, PRIMARY KEY (provider, subject))" ); }); // Configuration const CLIENT_ID = process.env.OIDC_CLIENT_ID; const CLIENT_SECRET = process.env.OIDC_CLIENT_SECRET; const REDIRECT_URI = "https://example.com/oidc/callback"; const ISSUER_URL = "https://accounts.google.com"; // OIDC discovery endpoints cache let oidcConfig = null; // Function to fetch OIDC configuration from the discovery endpoint async function fetchOIDCConfiguration() { if (oidcConfig) return oidcConfig; try { const response = await axios.get( `${ISSUER_URL}/.well-known/openid-configuration` ); oidcConfig = response.data; return oidcConfig; } catch (error) { console.error("Failed to fetch OIDC configuration:", error); throw error; } } // Function to generate and verify PKCE challenge function generatePKCE() { // Generate code verifier const codeVerifier = crypto.randomBytes(32).toString("base64url"); // Generate code challenge (SHA256 hash of verifier, base64url encoded) const codeChallenge = crypto .createHash("sha256") .update(codeVerifier) .digest("base64") .replace(/\+/g, "-") .replace(/\//g, "_") .replace(/=/g, ""); return { codeVerifier, codeChallenge }; } // Function to fetch JWKS async function fetchJWKS() { const config = await fetchOIDCConfiguration(); const response = await axios.get(config.jwks_uri); return response.data.keys; } // Function to verify ID token async function verifyIdToken(idToken) { // First, decode the header without verification to get the key ID (kid) const header = JSON.parse( Buffer.from(idToken.split(".")[0], "base64url").toString() ); // Fetch JWKS and find the correct key const jwks = await fetchJWKS(); const signingKey = jwks.find((key) => key.kid === header.kid); if (!signingKey) { throw new Error("Unable to find signing key"); } // Format key for JWT verification const publicKey = jwkToPem(signingKey); return new Promise((resolve, reject) => { jwt.verify( idToken, publicKey, { algorithms: [signingKey.alg], audience: CLIENT_ID, issuer: ISSUER_URL, }, (err, decoded) => { if (err) return reject(err); resolve(decoded); } ); }); } // OIDC login route app.get("/login", async (req, res) => { try { // Fetch OIDC configuration const config = await fetchOIDCConfiguration(); // Generate state for CSRF protection const state = crypto.randomBytes(16).toString("hex"); req.session.state = state; // Generate nonce for replay protection const nonce = crypto.randomBytes(16).toString("hex"); req.session.nonce = nonce; // Generate PKCE code verifier and challenge const { codeVerifier, codeChallenge } = generatePKCE(); req.session.codeVerifier = codeVerifier; // Build authorization URL const authUrl = new URL(config.authorization_endpoint); authUrl.searchParams.append("client_id", CLIENT_ID); authUrl.searchParams.append("redirect_uri", REDIRECT_URI); authUrl.searchParams.append("response_type", "code"); authUrl.searchParams.append("scope", "openid profile email"); authUrl.searchParams.append("state", state); authUrl.searchParams.append("nonce", nonce); authUrl.searchParams.append("code_challenge", codeChallenge); authUrl.searchParams.append("code_challenge_method", "S256"); res.redirect(authUrl.toString()); } catch (error) { console.error("Login initialization error:", error); res.status(500).send("Failed to initialize login"); } }); // OIDC callback route app.get("/oidc/callback", async (req, res) => { const { code, state } = req.query; const { codeVerifier, state: storedState, nonce: storedNonce } = req.session; // Verify state if (state !== storedState) { return res.status(403).send("Invalid state parameter"); } try { // Fetch OIDC configuration const config = await fetchOIDCConfiguration(); // Exchange code for tokens const tokenResponse = await axios.post( config.token_endpoint, new URLSearchParams({ grant_type: "authorization_code", client_id: CLIENT_ID, client_secret: CLIENT_SECRET, code, redirect_uri: REDIRECT_URI, code_verifier: codeVerifier, }), { headers: { "Content-Type": "application/x-www-form-urlencoded", }, } ); const { id_token, access_token } = tokenResponse.data; // Verify ID token const claims = await verifyIdToken(id_token); // Verify nonce if (claims.nonce !== storedNonce) { return res.status(403).send("Invalid nonce"); } // Extract user info from ID token const { sub: subject, name, email } = claims; // If we need more user info, we can fetch it from the userinfo endpoint // const userInfoResponse = await axios.get(config.userinfo_endpoint, { // headers: { Authorization: `Bearer ${access_token}` } // }); // const userInfo = userInfoResponse.data; // Check if user exists in federated_credentials db.get( "SELECT * FROM federated_credentials WHERE provider = ? AND subject = ?", [ISSUER_URL, subject], (err, cred) => { if (err) return res.status(500).send("Database error"); if (!cred) { // New user: create account db.run( "INSERT INTO users (name, email) VALUES (?, ?)", [name, email], function (err) { if (err) return res.status(500).send("Database error"); const userId = this.lastID; db.run( "INSERT INTO federated_credentials (user_id, provider, subject) VALUES (?, ?, ?)", [userId, ISSUER_URL, subject], (err) => { if (err) return res.status(500).send("Database error"); // Store user info in session req.session.user = { id: userId, name, email }; res.send(`Logged in as ${name} (${email})`); } ); } ); } else { // Existing user: fetch and log in db.get( "SELECT * FROM users WHERE id = ?", [cred.user_id], (err, user) => { if (err || !user) return res.status(500).send("Database error"); // Store user info in session req.session.user = { id: user.id, name: user.name, email: user.email, }; res.send(`Logged in as ${user.name} (${user.email})`); } ); } } ); } catch (error) { console.error("OIDC callback error:", error); res.status(500).send("OIDC authentication error"); } }); // User info endpoint (requires authentication) app.get("/userinfo", (req, res) => { if (!req.session.user) { return res.status(401).send("Not authenticated"); } res.json(req.session.user); }); // Logout endpoint app.get("/logout", async (req, res) => { try { // Fetch OIDC configuration to get end session endpoint const config = await fetchOIDCConfiguration(); let logoutUrl; if (config.end_session_endpoint) { logoutUrl = new URL(config.end_session_endpoint); logoutUrl.searchParams.append("client_id", CLIENT_ID); logoutUrl.searchParams.append( "post_logout_redirect_uri", "https://example.com" ); } // Clear the session req.session.destroy(() => { if (logoutUrl) { res.redirect(logoutUrl.toString()); } else { res.redirect("/"); } }); } catch (error) { console.error("Logout error:", error); // Even if there's an error fetching the config, // still clear the session and redirect req.session.destroy(() => { res.redirect("/"); }); } }); app.listen(3000, () => console.log("Server running on port 3000")); ``` ### License MIT [ref_oauth_repo]: https://github.com/LukasNiessen/oauth-explained [repo-ref]: https://github.com/LukasNiessen/oidc-explained
r/programming
post
r/programming
2025-04-23
Z0FBQUFBQm9DbVhRUmc1Tko4dWlWOFJIZTdjT1Zkek1SM0Vkemg5YmppMlNwYW94MVZXN1RpM0VuZ1JJRnN0cDlHUHpMYVVXaHIwWVhYT1VLMmk0cmtPcmliaGFVbllHNmc9PQ==
Z0FBQUFBQm9DbVhSZVlwUExocFhUZ0VSY1dxMF9YRGsxVlJYdkhQb3ZodFdUVnNsLW1zSDkyQnJWZ3EyZkJRRlUxc0ZBR3kyMVFieUt2NGVMWGkxZDc5WjdZQm9LZjZMckJrZ3ZpTkVXdHdMclN3TzZseW9xVUlncmpreFU5T0NIOWQxRndTQTJLaTZ6akUwR0RpTEFIb0Zua2J1OWw1Rk1lcm1HTWJDRHpMMTZIamxkMHpoSnFNPQ==
i’m 20 years old, no college degree. only experience i have is in fast food and construction. my current job pays okay but i get no benefits and it’s seasonal. i want a m-f career that pays enough money to have a stable future. ideally something on the white collar side of work too. any recommendations? advice on how to get into that career would be appreciated as well.
r/careerguidance
post
r/careerguidance
2025-04-23
Z0FBQUFBQm9DbVhRMVVpbTNQaUliUWF4QURsaUlLTVp6andRTzlqcG5KVUwwanJGT2Nab3NvOU4xUGlJYnU2LXRkd3dqMGhOTDJmOXFEczJIdjJhMGlVMlB6WEpkZDdYMmc9PQ==
Z0FBQUFBQm9DbVhSVjVLUmFETzd3QzFfVWFKcEFiNEd3SVg5S3UtelVYQnJnSjhoUXJuRVl5cjF3ak1FendTWXMzajZuTlAzLUpFRzFXa1ZlcFpEUXZUcWdwUWcxQUVoSndKVlF6NUVWXzFRTWpkY2JLWnlRYmh5Mnl4SDBUdHJteVh3a0szY2FwOE01Q05ha3VMNmZ0ZnJUOS1YaDlyX1l6M3Nsd2gtZDBtbGlTdzdDSU1JYjBpSzg1VVlfa25meWlqaFgwZzR2REZ1
Is it at zero value? It went from nothing to ~$300 so far.
r/btc
comment
r/btc
2025-04-23
Z0FBQUFBQm9DbVhRc2x6czVTV1BZOTlFQmdjYmpLX1c4czF2Z0pFTGdOd2hvbm15UUc5QkFEcGhNenlHNHpTUUJfRGlieWc1M0R1eTQ4R2F3a1d1b1BFd1dZMVRtYmpZei1fZjZGQVhQUXBCMlVDTC1nVEN2SDg9
Z0FBQUFBQm9DbVhSRGpMYVVUTjJWcFdpOHZVQk9LWENEdFBKdEZadUc0d0FMNW9ILTB2UU1iXzRHVUxVSGhrdWJFSjJrMExVblZXUzhIOWhFUWNaRG1zYllRanpPQVdJb3VmVFR2cEZtbTRQRG1laEx4QVJadWx0RmpyOWF1TWR6MlRNUjdTcFE2clFyX1pJZXVLOEJ0bkV1SGRJc0lBdEZZRldxaHFCNnl4S0VkZUM5U3Y2N1JFQXpxU285S20tZ3plT0FlNU5NeWpR
It’s trump-if there’s no corruption, trump’s not interested
r/uspolitics
comment
r/uspolitics
2025-04-23
Z0FBQUFBQm9DbVhRdHNGa2FXOWZXNllRSEk2MHY5WVBUQnRjYUgxSkYyQUdtcV9HN1RCTW5VRzdfeW5XV1FJTldEVFgwSS1kbkR1Vm1DeHY5WkRqWFdQMko5T2hHUTl2Qmc9PQ==
Z0FBQUFBQm9DbVhSOWNGZXd6RENreXBraUJnTlBhc1JucGpLRXFVQUdUbHZLVXkxVXI5UzJpeGVmVDQ5NTZyclhKeFREeUlsMTBTT0VjWFdjSDE5MFZ4NE11R0F5Ym05dklLZFFFYzRlb0lDbFJfTW1WTEw2T0FXSWJBMXpzalJ1TnRYeWNvUnpCUjk2N3pCMlUwTHphQ0tVeU45OFdMRnI0WG1XeWp0LV9rcm9Fb2FqM2YwUGU4UE9BZ2tVQzdIVi1pUFF0M0pSSVJFVXpaXzZ5WUplV0hFR3I2NW9ZM0ZqZz09
If you don't sell you can't have gains.
r/btc
comment
r/btc
2025-04-23
Z0FBQUFBQm9DbVhRMWlTdVJYT1JYRmlEYlZxeUZtRmpUdHFTRmFwblpuUzltRzZxUTQwcW1DRm45WHpMWW5WQkZYUlNtUGdDcDJXVzltcE5aeVAzRndZTUZLOEJ2ckU3NXU3LUl5YTctOGwtMFhQLUFteHcySjQ9
Z0FBQUFBQm9DbVhSeVB1M09uNnM4dV9zQ3BqYkpMeVd4NFBlWnRPTDFoWTBKTk8yUFhMNGZKdkFGZUtYdkRKWjZlTm8wQ24zeWNHd2JaMS1JTTVXRk51NWtCWDhoQWRSMHl6YWFRS2FaWTR3MWxQekpvSUZxcGhFRWJyUjJzZHQ2UzEycnJvRzg4TF9BRHdxS25kVFBJRVFrWFVtNklhOW1VZGNMcTBZLWRzSk5iZEFxSEN5VGtLME5IQ3lzQjd3YjhVeUVpcklydmt1
Just connected with someone that works at a company I’m interested in applying for. Should I wait a while before reaching out or should I just go for it? I’m probably over thinking about it, but with how long I’ve been trying to land a job I don’t want to take any chances.
r/careerguidance
post
r/careerguidance
2025-04-23
Z0FBQUFBQm9DbVhRWk9PTkM3Vk0yT2Z2aTFEVXJad2RlenZWcER4dmdRY0dwS2c1ekVXWVgzdktobFFKZVlpcGdwRU1pOHN1MG9wWk9ndG9YYmJNd2tMRzVuZWp4T3Q5WWc9PQ==
Z0FBQUFBQm9DbVhSUmprcERycHNfd1ZBS0lia0U5cGJtREJwYnktUnRQdGRjcGhTdl8taW9HcmJpZmhRYkllSGx0SVp6cVF6R3lxTTl1aXhSVk41QkM0TXQ3R21RdnBoOVhIUmtGTmo3MTZpTUxvZUZaTkdjeVFrcUVxQks4UHZONzRKNUFYZkFueWI3VnNHZWFaU0Fpa0hHOWg4TGJWNTU4a1ZZd3UtSVhwbDc1c05DZDhqazNQNkhUMUhudXo1ZWhUeFBMQ1BueW92djZaZ1VOYTlxSHJLM3oya2F1WkMzQT09
So what does it do that it is worth more than Google?
r/btc
comment
r/btc
2025-04-23
Z0FBQUFBQm9DbVhRamc5NmRkRDgwRTd4WElmamM4ZEgyWllLQzlvdkF5TExfeXMxZDdrUkk0bEJhVTZ0Q3BMMno4VGRFYnhVZmw4Vi1yWXZYc2dvd3MzVkxNRzFnREF6dlhkTW5YSVU2ajA3WmhlSjRUVm5ZMm89
Z0FBQUFBQm9DbVhSUnUyNWhzd2Y0d3M3UU5oRVNqX29PT2R3QkRPcDhFbWV0MTQyVDJYTEwxNi1mOWMzOFJxZEFnM3JRSHVwNVcyeUZkWFpkMzh6TG9tR2xMZ2hwNWh0aFkydGZua0pQRHNNbDA0SS1zSERTempTSHhDNzVfU3NuUkpGRXlHQWVBWU12S3R4OUJFR0RBNGJCS052TkxXZi05cUx1NkQwQlVMdTVPemlYNkFiZWo0PQ==
Hi, Reddit! As a staff writer for *The Atlantic* and an author of the *Atlantic* Daily newsletter (which you can sign up for [here](https://www.theatlantic.com/newsletters/sign-up/atlantic-daily/)), I’ve been covering all aspects of the Trump administration. I’ve also just published my new book, *The Project*, which details Project 2025 and what the plan could mean for everyday Americans for years to come. As [I wrote earlier this year in The Atlantic](https://www.theatlantic.com/ideas/archive/2025/04/project-2025-top-goal/682142/?gift=KAfKJBpWEhalxfNtFeR2vNO65EgGflDxXORUuZ_2a4c&utm_source=copy-link&utm_medium=social&utm_campaign=share), “The now-famous white paper has proved to be a good road map for what the administration has done so far, and what may yet be on the way.” Today, I’m here to answer your questions about how the second Trump administration is implementing Project 2025—and the changes that Americans across the political spectrum could expect to see.  I’m happy to discuss what exactly Project 2025 is, who wrote it, how it could affect the lives of Americans, and anything else that might interest you. Proof photo here: [https://x.com/TheAtlantic/status/1914818876669337727](https://x.com/TheAtlantic/status/1914818876669337727) \------ *Thank you all so much for talking with me today! It was a pleasure to answer your questions. Sign up for The Atlantic Daily to hear from me about the Trump administration and more:* [*https://www.theatlantic.com/newsletters/sign-up/atlantic-daily/*](https://www.theatlantic.com/newsletters/sign-up/atlantic-daily/) *— David A. Graham*
r/politics
post
r/politics
2025-04-23
Z0FBQUFBQm9DbVhRWU5PZDM4bXpxT0N5RE02VVBoeW1SdVVQdkR0OUxJalhQWGdfM09adDRzTEFtVDFFX1UzWkhfa2d3VEpKUkp5dzB6NTRQVTZMMFJYOVAxVGVqR0tKZFE9PQ==
Z0FBQUFBQm9DbVhSTFNPeGdnQk1TM0RsZV94UjdtdG16ZmhVLTNMMGhEWmhRQldxUjludXBRM285bGtsT0xuZF9nREwzZmd1dmlvUnlGSm80VlRzaHRhV0w1WExaWlA2cjRBUXBRc3RkMy1NaVNtVkNKVThteWhxWE90aGh2RllDSXpENkc2MmVRQjE5eXhGdlc2aFlnNmgyOFQ3RXJJZVBhZkFUOG91bVRHdl8tRGlnRUhUNDh4WTJWbWExbmU2Vmhjc1JUYzZKWlBiODMtRG5Dcm91U3dQZS11OHItUkEtdz09
Tesla is forming a nice descending triangle on the daily chart. It is obeying the trend line very beautifully, almost too good. Only a matter of when rather than if, for it to break the support line and continue on its path to the seventh hell. I am guessing by mid-May we will likely witness that wonderful moment. Good Luck bears!
r/wallstreetbets
post
r/wallstreetbets
2025-04-23
Z0FBQUFBQm9DbVhRVVpwMHVvbVRjRGNSVDFTSklrZV9SRUlNZjliTE8wOGwxeDFIZVVudHVxZUhxSGhLV2dRMzF1a3BvZW1xMzhFem5PVmVsbUtFcUdNUkZFRm9KTlRaR250RHlmS1E0N1V0dHlRWHVGb2xYSWs9
Z0FBQUFBQm9DbVhSUHF5bmtBWlRpbkpvRVdOc1k3N1N0WlFWMWJLQ21VVnpGT3ZGdmE2Mjd2RUExX19KTUpjU3JJa09ET3VQRnRQMzFtcWNqTEtPMFdSU0paQWVEQ2RjRzlEN0t4dmFRazlEMS1FLWkwWC01YjVkS3BMRHFYZGtpdUF0d215Z1JHcmlRcEU2VHhZNHhUS0R3dTBqcGstUEhhbE9aUkcyNnR3anFQZlBfNzF1cENJMElteG9ub0JkWWpaY1c3QmotX09sRU1oZkJaRFdhdmJnWTlBRlVyVjduUT09
Hi everyone! For a bit of context, I'm giving some lectures in time series to an engineering class and the first course I just introduced the main concepts in time series (stationarity, ergodicity, autocorrelations, seasonality/cyclicity and a small window on its study through frequency analysis). I wanted this course to invite students to think throughout the course about various topics and one of the open questions I asked them was to think whether natural language data can be considered non-stationary and if it is the case, why transformers do so well on it but not in other fields where data is non-stationary time series. I gave them other lectures about different deep learning models, I tried to talk about inductive biases, the role of the architecture etc. And now comes the final lecture about transformers and I'd like to tackle that question I gave them. And here's my take, I'd love it if you can confirm if some parts of it are correct, and correct the parts that are wrong, and maybe add some details that I might have missed. This is not a post to say that actual foundational models in time series are good. I do not think that is the case, we have tried many time at work, whether using them out of the shelf, fine-tuning them, training our own smaller "foundational" models it never worked. They always got beaten by simpler methods, sometimes even naive methods. And many times just working on the data, reformulating the problem, adding some features or maybe understanding that it is this other data that we should care about etc., led to better results. My "worst" experience with time series is not being able to beat my AR(2) model on a dataset we had for predicting when EV stations will break down. The dataset was sampled from a bunch of EV stations around the city, every hour or so if I remember correctly. There was a lot of messy and incoherent data though, sometimes sampled at irregular time intervals etc. And no matter what I did and tried, I couldn't beat it. I just want to give a reasonable answer to my students. And I think the question is very complex and it is very much related to the field of question, its practices and the nature of its data, as much as of the transformer architecture itself. I do not claim I am an expert in time series or an expert in transformers. I'm not a researcher. I do not claim this is the truth or what I say is a fact. This is why I'd like you to criticize as much as possible whatever I think. This would be helpful to me to improve and will also be helpful to me students. Thank you. I think we can all agree, to some extent at least, that transformers have the ability to learn very an AR function, or whatever "traditional" / "naive" method. At least in theory. Well it's hard to prove I think, we have to prove that our data lives in a compact space (correct me if I'm wrong please) but we can just agree upon it. But in practice we don't notice that. I think it's mainly due to the architecture. Again, I might be wrong, but in general in machine learning it's better to use these types of architectures with low constraining inductive biases (like transformers) when you have very large datasets, huge compute power and scaling capability and let the model learn everything by itself. Otherwise, it's better to use some architecture with stronger inductive biases. It's like injecting some kind of prelearned knowledge about the dataset or the task to bridge that gap of scale. I might be wrong and again I'd love to be corrected on this take. And I think we don't always have that for time series data, *or*, we have it but are not using it properly. And by the way if you allow me this mini-rant within this overly huge thread, I think a lot of foundational model papers are dishonest. I don't want to mention specific ones because I do not want any drama here, but many papers inflate their perceived performance, in general through misleading data practices. If you are interested about this we can talk about it in private and I can refer you to some of those papers and why I think it is the case. So I think the issue is multi-faceted, like it is always the case in science, and most probably I'm not covering anything. But I think it's reasonable to start with: 1/ the field and its data, 2/ how we formulate the forecasting task (window, loss function), 3/ data itself when everything else is good. Some fields like finance are just extremely hard to predict. I don't want to venture into unknown waters, I have never worked in finance, but from what a quant friend of mine explained to me, is that, if you agree with the efficient market hypothesis, predicting the stock price is almost impossible to achieve and that most gains come from predicting volatility instead. To be honest, I don't really understand what he told me but from what I gather is that the prediction task itself is hard, and that is independent of the model. Like some kind of Bayes limit. Maybe it'd be better to focus on volatility instead in the research papers. The other thing that I think might cause issues is the forecast window. I wouldn't trust the weather forecast in 6 months. Maybe its a model issue, but I think the problem is inherent to non-stationary data. Why do transformers work so well on natural language data then? I think its due to many things, two of them would be large scale data and having correlations repeated through it. If you take a novel from the 19th century from a British author, I think it'd be hard to learn a "good" model of what that language is, but having many different authors gives you a set of data that *probably* contain enough repeating correlations, though each author is unique, there are *probably* some kind of common or basis of language mastery, for the model to be able to learn a "good enough" model. This is without taking into account the redundant data, code for example. Asking an LLM to sort a list in place in Python will always result in the same *correct* answer because it is repeated through the training set. The other thing would be our metric of what a good model is or our expectation of what a good model is. A weather forecasting model is measured by the difference of its output with respect to the actual measurements. But if I ask a language model how to sort a list in Python, whether it gives me directly the answer or it talks a little bit before doesn't change much my judgment of the model. The loss functions during training are different as well, and some might argue its easier to fit cross-entropy for the NLP task than fitting some regression functions on some time series data. That's why I think transformers in most cases of time series do not work well and we're better off with traditional approaches. And maybe this whole thread gives an idea of when we can apply time series (in a field where we can predict well, like weather forecasting, using shorter horizons, and using very large scale data). Maybe to extend the data we can include context from other data sources as well but I don't have enough experience with that to talk about it. Sorry for this very huge thread, and if you happen to read it I'd like to thank you and I'd love to hear what you think about this :) Thank you again!
r/machinelearning
post
r/MachineLearning
2025-04-23
Z0FBQUFBQm9DbVhRQWlOMlNzSjQ2TGY2NVp1OERUalMxWU5INVBjMWlkM0xHb0NsMGRZTC1pVEFHaFIxczlwOVBKOHh2a1hoRExFaDMyckJnQk9VNXhYQllLRnQzLTdQbGVyUkJoVHY2NWg5dWlXS1lmQ19MdkU9
Z0FBQUFBQm9DbVhSLVVsNU05OFc1Y2RSWGRkeVQ4VkNrekJJNE85VURGQWZBcWVBUHplZU1YZnYzZ0RXVWFrT3lXOXBuLWp2aS0tTnZkcWI2Y0w2RTF1TkhQYlRyUUVMMThvU2pHQ2VUVEVfeXlxX2RLSWtxOFhVcVRZTE9femtWNVdDeld2VDQ3N3FzeDgxUzAzOEVGS2NaX0FSZnoyWmdMZ2w3aDhUZFdJZ2NXaFNkSnpuSWg4MDV5bGJSVFVqcVNyczNESm5kRUNETWtEaDV2M05rMlR1LWZqNWN2UjNzUT09
Thanks, I've reached out to them.
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRbFZ5eWpKWUQzUFV6SHhBU1BXbkJSRVFPajdOOVA3Z0JkNXdMNXJxTTdXbWRSU3VETVZwQWJLS1hfUnFOeEoxUG5QQm9Zdjc5QlJqU0Q4dHJVWTNvZlE9PQ==
Z0FBQUFBQm9DbVhSODA4OGFMVTB3d1R4cV9aTHlzUjAxODRycWFya3I0MGdGRXNxMWlQYzA2eG9teENYaEotV2NsczlGdl9zZmMtSmxSYjlTaXdRN0oweVMxSU5wa1Ftbk1rYzc3WmxHaTd3cnBxb3F3akhWTHozZ2J4bEhDX0VFSXQyNFlMb2pyWjRlOE9XbXo3a3hkQ2MtSUJOMmh2d2hnLXZjYzZaU00wWm5EcmRmcHVXMDdIU3RKRUNkOTdMc3FRaDY1aW5iVGpvSWhQTXg2NktFZVk4TVhzSTA4aDZUZz09
Maybe take a look at [inter.link](https://inter.link/services/ddos-protection/), they also have a PoP in London. We're primarily using their IP transit, but that works flawless. Also, maybe [Voxility](https://www.voxility.com/anti-ddos) might be worth a look, but that highly depends on how "specliazed" your scrubbing service has to be.
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRWEdKQXNxb200aHMxQlJoc0dtR3hSeHppamh5MXJBZ2haRzlTZW9TUWtJOFJBWjdjNWJHYy1PbmdMamxkUlBwLV9oZjVvTmVOTlNBZ1hYRy1HSmkyZ0E9PQ==
Z0FBQUFBQm9DbVhSanA2dV9JVC1vWThhQ0pWWTI3SFM0U21scDRFWHNSNExoODNqcnp1ZUR4NWVZZ19KY3ZXN3lXYXkxV2hybGJCbXF6aDBTY213SkcwdWhKNWJJMzRqeEZIT3Y2UVppbzV5cTk1ckhydW9fcmlWRC14b180NFM3RFdkYmhENTYzaEJFaTZjdzFZTndIaXJxbk4zZ3hPcmM2ejJBUzVYMmM1a1I3a2RIakJBZVFCQ0lpS0FoZEdlNHJLSXlzMXJ0WERMRzdFM052Uzc3eXdKNXVqWGZrRngxQT09
I'm not interested in karma farming at all, I really just need some help diagnosing a problem and I have not had many responses in the past. Please help me, I just want to play oblivion. My pc freezes when booting, it gets to the rotating circle of dots for windows 10 and then freezes before actually booting. This just happened one day after shutting it down. I have tried the following: -Installing a new sdd -Trying to boot from a USB -checking ram with memtest (it passed without issue) -Resetting cmos -Removing all peripherals and hard drives (and the GPU) -trying a different outlet I'm at a complete loss for what to do next and I don't want to buy anything that won't fix the problem. I look for help online and it's a bunch of posts talking about this issue but very few of them have updated the post with a solution, and the ones that do have a solution are talking about something I've already done, or about buying a new part. Please help me! Edit: Im sorry about not including my specs! Gigabyte b450m Ryzen 4600g 32 gb Corsair vengeance 3200 AMD Rx 6600xt Corsair 650w PSU bronze I think?
r/techsupport
post
r/techsupport
2025-04-23
Z0FBQUFBQm9DbVhRRnNoTk9RMmFvQzByQlN0U2I4STlqYml0YXVEdWZSYVBSSVZLd01nY1A0SlhxdHA1WmlWRFpXYWR5cHZjdExldlJpcmFUQmhoN3JSczNRS0tUd0gwLXc9PQ==
Z0FBQUFBQm9DbVhSXzNYQ2M5OFFncmE4VzV6Z1RKNG5pUXQ4NnpaYlVaTlViaUVZZ04zUFB4TWtTTnE5OXh1SDdHX09LWDQzYmpndXRUSWxDNXc2U0ZOYmdRdVlRMDM5dy05RTJiWDMyTG9TOXpycUJ6YnRkbFJfZlFuT1RGUFZfdGluek80c0NvYTZISUk5cGw5Mk5mb08xUmJtcUhBMEpnVFUxOVFzV0YxckJlMThodFBjZHhBLThScnpMZTZiaU81cmtGVm9zUy11OVYtZjRSd3pNVVozZ0l0WG5HR2pwdz09
He sold at $250 months. He made a whole post about buying at $700 and selling at loss..He got clowned so bad he deleted it l..
r/bittensor_
comment
r/bittensor_
2025-04-23
Z0FBQUFBQm9DbVhRZU5YMDBZVjB5SHUzWlNfMWc4OHVmRXVKN25ZbWtnUmhJRzRJN0gtN3dCNjdvN1IzY3hBVjlnMlJIcXltWkNUSk9ZaWtaNTY4VnE3a2dVZ1N5amtld3c9PQ==
Z0FBQUFBQm9DbVhSblhSQ3d2Uy1OZ2dOSXdmUks2akJoa05uc2dvUzRwb0JVWGNycWMzRXMtZWZjTDZSRl9UMVlQcG9kdjlMb2Fwc3RfMHBIeWR3cGlQUGpZMlZoNHFDRnMtLUpRXzItV1lpM0gycnVWZXJTaWdxZjI0RWJXZHdoaGI3S2xHY1lIOTlQeTR6cFZXdTRVNWQ1VHlPdzlmaGREaWRBY3hfNTBHNGEtZkM3VGxwalljPQ==
Hello everyone. I know nothing about programming, and I wanted to know if there's a way to extract assets from a .dll file. I want to take a look at a game's sprites (Plants Vs Zombies Fusion) but the mod is compiled to .dll files, I don't understand anything. Thanks.
r/learnprogramming
post
r/learnprogramming
2025-04-23
Z0FBQUFBQm9DbVhRcG1nVGtvM0p3MGRycVlsbUgteHRDXzVxUmFodGVWS2NyQklEWkoyNVNNdzVhQi16ODRtdkZJbzlKZWFnRFpGaUw3NmJ3QzZWWW5uT2k5SnBhd1NkZXUyZlpua3RZMC1aclhvTVVfSGxkRWs9
Z0FBQUFBQm9DbVhSdUdTSWdtaC01bzc2eU9NVnVEdVJlTWJ2YWhSd0ZVVHhiUnpwVVlla0t0Y3RVajJFcVBKdFhLSWNVTTZHQzJac2gzeVpXYzBLeUpmaVM2OHBieENCRUM0MXNXbnpfY3VubXhNR3BxSjJCemFhdTc4YVJGNHZUWVZHWnVpYUFCNl9rRkhMSFhZWTdnTWVMRFNCZFMyVXJVNkRyam9XaTFRdkVOY1N2MC1Rb3I0ZXRZSkhHVTF5NjU1RXZ4bS1XVTVVTnNuV2xIUlN6Umc2NHdJMEc3czRDQT09
He was not a nice dude
r/bittensor_
comment
r/bittensor_
2025-04-23
Z0FBQUFBQm9DbVhRUTVzc0dKbFBqNkh4Q0l2TGpmWmJBU3VnSUdiX3dGV1doUmo1Tlc1VU16ZDBUYi1raTFHY3NucndES3RCT0hIdDRUb19ySF9WYW1MbE9ESDl5V3FxNnc9PQ==
Z0FBQUFBQm9DbVhSX2xKYVhpNXRVRGpjaUJGbktUZFZIXzNkbFBwY1dsWDVId25tX0xmdGdFUkU0b1NnVFR6RlpMWFZIT2QtZDBURWlTMHBjem5CR3BDX2d3TF9JZWJIekdsUXFXcjhYeEp4SjV1UlRmQmdIUXRzbVdmN3BUUGw1M0s0RnlOOUFEb00wQnVsaXhfZVNFTjlNUUNPSTNsZHNQODFYTEZ4QXJDQTBmczNVRC1jWEVZPQ==
Okay, I decided to look closer. This product seems to be able to help attorneys make sense of way, way more than just a bunch of PDFs. I'm seeing things like video and audio processing (transcribing, making searchable, etc.) and seemingly no limits on data types. Did you get a demo before you paid for this?
r/legaltech
comment
r/legaltech
2025-04-23
Z0FBQUFBQm9DbVhRUnplejNwZlEwQ2JMYVlFVnZ4ak9JWmdjVVpKbmRPdERtRlY4bTY3LUl4aF9TM3piRXU1VjVnUXlYT1JJTExQWlpacktScFZfbWhBc2RJTWFjclZXckE9PQ==
Z0FBQUFBQm9DbVhSVHlzMW9SQUhWWk1RLWpNdXB4VlpFR1QtbzRCSjlMa0JQVW1haGEyQWtfSkRWZWFRUF9CQUtRRUV4dkRwR3haLWdXOUtxeVpHZDVSR1d1ZWktQzk0b1Naal9wWnh2MHJudFEzQVd5aW1xeEZ3TXByR0U1ZnBMbUZkU0VhdHBJOWFQa2RiTWFvQXpEazQ1LW5ZcGZGV2MwUWFFckpyUDdLVFg4TGxWZV9oOHdoOWNDNENCYUQzb0R4Yl9pV3FueGlNanh1Q3pqb203YkJHX0Q1Uk93TlhjZz09
That's why newer campus builds are using VXLAN with something like SGTs. Then you can knit everything together however you like.
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRLVRtZDd4MTdBdFRpX2c1b0M5ZU9rV051UFYzR0xwOEdGQTZhZmsydkxpQVNhYTVMN0ZUbDVGNWNKeXJ5a1BScE03bDhJUVBHQU5xZUZJeF9iZ0hPLWc9PQ==
Z0FBQUFBQm9DbVhSdVRlM2RWX012Z21NOVozTFBGQ21VcVVHOFdSYnVucVNEbDJXeWstTGEwcHhUMXhGd0RlcHhicnhIQjBIejFGVmJvcXZ1aGNGeHY1MU1TWW1BS1Z3RnZaYjhFWEV6XzNvallkaGJ6N1E2Z2lwZXRLM2JkUHowdzJnRVg0QTk0WS1VVlZhWUpMbk1JY1J2VV9CQm1FWEhNZU01anhvT0RXdzRwZjJmeHNrQVFBbHl6MXNMcUs5TTM1M3ZDMW45Y0FIZ1cycnFyQVlTWWdyYll5S25uMWROUT09
If this is the case, I would at least ensure you do a couple things: 1. Speak to your insurance - get an understanding of acceptable security posture. This is important for step... 2. Get in writing whenever a user requires access to corporate resources from a personal device. These should be done on a case-by-case basis as opposed to a default position for a class of users (i.e. C-suite). 3. These devices should operate using a separate policy on your NAC solution than whatever is used for corporate controlled devices. 4. You should have accounting enabled for all accessible resources anyway, but doubly important here. Knowing where, on what, and who caused a breach will be key for informing your data compliance in the future. When this goes wrong, and it almost certainly will, you'll have the data to back up your position and hopefully get buy-in from CEO and co to block access from personal devices.
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRR0FmODJ3RmtpSnF6UjRaa01qaG1FUGxXMmR5SEgwS0RzWTZ0R3ljMjB6UU5aZXlIWWVvZmJ2S1lCaE5fQ0ZuUGd5ZEdSSXFSaGZ3b3hONGJpZjNHTlE9PQ==
Z0FBQUFBQm9DbVhSdmM2cXMwcFE5dHE3bUZlak1CMm1TMklSbGY2T0NsMnA5SEljcjdRcXhWT1NJdGdVd2ZMTGxVX3FfUHQ1LXAxZm1XRmxGTVpPVHAxQm0tcC13NDZrdGMzMlhsSXBmb0drdF90NWJ5LVBlOXVnOWN2alJpZDN2cXJ4c21JMnV0NWlJRGdJSFhvVE9OV05NYk9GdmZrYXpkSjFUZXpfRDQyc29TUVB4dTBySmxlYWJRdGJUYVhmRXhiM25TS085WDQzNWoxZnJkb3VBS2lGc0oxY0hqN2tTdz09
Bertopic - Much more intuitive and easily customisable with different sentence embedding models/clustering algorithms as per your requirement/use-cse/computational power. Accuracy is good too. LDA/others - Not much customisable and often underperforms when it comes to texts which require deeper semantic understanding.
r/datascience
comment
r/datascience
2025-04-23
Z0FBQUFBQm9DbVhROG5GZWM2NnkzR250OWxtS1VBUzdHUzlPYUJWMFVHak5pTF9jU1NXR2JmSUFuUDU0V0dHNlRIUkF2UmVzRFljSEpPMmEtUkgyQmlYN205aDI0dV9IcGc9PQ==
Z0FBQUFBQm9DbVhSdTZxVXdFT1lUY3pITU5JbTVtMy0xOTV6YUpZWHlrQkdxNlJkTHdGVFhCcG9Na3lIb0RpeVlDOGJfRlhMd3Y0dW1JZloybVJuVEV3eEVWU1NsRmJIVTUwTG9taUhOOS1UZVJkb2pLeFV1QThZQmtILVdHdUVRanMwU2FsTWJWM21aSnRKX1JSSEQtcmlockFMSFhDS3JvRVowcGZ4dkQ1WmtsYkpNQTlONnZ1WXkzUDdKNXg1X1ZMNnhUQm1JQlpSOWVCSXg2cGZocWxmdVFWdjFLakFhQT09
Where is he now?
r/btc
comment
r/btc
2025-04-23
Z0FBQUFBQm9DbVhRdG9ZYW5vTTNZc2hWWmRuOUFZWUV1QndTSUotU2VQUTFQdVk0MU5iRnhxNEdvMlJ5a3V4OG81S3dFLUQ4R2NRaUk3ekUwN3pibVdER083MDc0QUs4VVE9PQ==
Z0FBQUFBQm9DbVhSenVSQ0VGa0dqNmF3MjNJc1ZLYjdFdXM4bmRLeXUxV2pPaUVDS3lXcXh2eXotZUZRaVNkdXZWVHRpUWp6WFEwQWdNMlp0RHlpc2ZqSVBhQmJKamx3U2FjeVVxclhzSlYtT3hac3hpOWxLYWxFdDdHczU1UWVKSkt4SjE1ODl2RTFaeFpGbGgzZWZJbHVDNlFySlh3WDlGR0h4Tm8wS2twaVNjaFdWS1VfbTJNMFprWjZlNUNGak9Nc19mNzRja3VGYl9GdUlwMDlWSWpWbnB4Y09PQmhqQT09
Hi everyone! I’ll pay for help. I’m in a bind. I started at a startup a couple months ago as a demand gen marketer and found that the website cookie banner wasn’t recording data so pivoted to Hubspot’s CMP. Our agency got those banners on the site but the consent tracking in GTM is a mess. I’ve been implementing Consent Mode using GTM in conjunction with HubSpot’s cookie banner. Most of the integration seems to work except for one major issue that I haven’t been able to resolve: Problem: Consent values are getting overwritten when a user accepts cookies—even though U.S. visitors should default to “granted.” Instead, the values are either not being set correctly at page load, or they’re being overwritten after a user clicks “Accept.” As a result, GA4 tags are firing inconsistently, and Consent Mode isn’t behaving as expected. Here’s what I’ve done so far: Set up HubSpot CMP using their native cookie banner with separate categories for marketing, analytics, functional, etc. Configured GTM with a Consent Initialization Tag to run before any other tags: javascript CopyEdit gtag('consent', 'default', { 'ad_storage': 'denied', 'analytics_storage': 'denied', 'functionality_storage': 'denied', 'personalization_storage': 'denied', 'security_storage': 'granted' }); Enabled “Respond to Global Privacy Control” in the HubSpot banner settings to respect user browser signals. Tested behavior in GTM Preview Mode and confirmed: Consent values are initially set correctly when the page loads. But once a user interacts with the banner and accepts cookies, the values are being overwritten instead of updated according to category selection. This happens even when no GTM tags are firing at the moment of consent. Checked for firing tags and no conflicting tags or triggers seem to be running when the overwrite occurs. Confirmed U.S. visitors should be opted in by default, per agency recommendation—but this doesn’t appear to be happening. The defaults are still being treated as denied. Questions: Has anyone else seen HubSpot CMP override Consent Mode values after interaction? How can I stop consent states from being overwritten when a user accepts? Is there a recommended way to intercept or preserve the values during/after banner interaction? Could this be a sequencing issue between HubSpot and GTM tags? Any help would be hugely appreciated—thank you in advance!
r/webdev
post
r/webdev
2025-04-23
Z0FBQUFBQm9DbVhRZk9Tb2xMdUk1ZWk0dy1XYWNYU3htTGV1Z1BPWFJ0bTJNSDItNVNFVEotUW1MR0JxWS1PSTc5OXpyX2ZkSXlQWlIxOXZlNVN0a1pjSXJfQ0xTbzZNN1lNRG1sajhUQlRDcFQ4MTlzdWVqNFU9
Z0FBQUFBQm9DbVhSZWQxUTFMT0o5Q0VZZ2lOdEkzVzkwVFVPTHNzdU5zbXFRbUhORTlGLTBvcEFRSWx5dmhadnNQYzlyLUVkMEw5QnJ5ZlpKb2xvTVVMd05lVEJOaUN5N1BWQTAzdklrQ2hXeHA0OHU3YVo4VlRWeXhOdFlrYnV4SFo2NkZsUEdxSGFmczlXakNJa3d6eDhzVW5qUUFDNlMxTzBCLVBFNGpBUXRhQ18yRnJRNks0N1JQb2x1cFNIdGhHeUZnaHR5Z2NJQ19UNE10SllJLXBPMDJsU0dJYmpSQT09
When your website doesn’t load and has millions of connections. :D
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRcGdlNHdCM3AyczBicWczc1NNc05ESzVzYXFNX3hfT1BiWDV1YWdxajNKWEpXRmZRa3M0OGhkSnRsSnB2OTRuTXhmeVBXS0xCWW1Hem5DLUJiNTNmalE9PQ==
Z0FBQUFBQm9DbVhSYW1HY2kwVkIwVFFvMlJYcnRjRkcxTndtUEtnWk9LZTlTbGNwc2hQWmJpOTVhWF8xRmlmQmtqVGFqbEdHa3gxb0NPXy1rYkt0b19aTkUwYlZaRVgzXzZFQTV4R2laQTBVN3VDb2dwMkNJdUJvcVQ1bUQtbTQyUFV4ZmNWVFA1WEh0dkt4cUFzVHlfalpUTkRSU3dRNTNuTFNnSXdEbWhJLU1mc3V6MDZuVTVvRFBTajVrcjlFek01OFFuY1NURUxRRTk2VWFDWVU1dkFEVXFrYW5EeDc4UT09
hi everyone, i’m a nigerian software engineer with 4 years of experience building production-grade applications for local companies. over the years, i’ve contributed to multiple projects across fintech, logistics, and e-commerce—many of which are still in active use today. currently, i work at a yc-backed fintech startup, where i’ve continued to push out high-quality work, from backend systems to internal tooling. but here’s the hard truth: software engineering in nigeria pays next to nothing compared to the value we bring to the table. i know my onions. i’ve built solid systems, debugged nightmare legacy codebases, scaled services under pressure, and shipped features end-to-end. i’ve done the work, repeatedly, and I know what i bring to the table. what I don’t have, though, is the luxury of being paid what that skill is worth—at least not here. late last year, i even tried to pivot into research by applying to phd programs in the us—i actually got two professors interested in me after sending a bunch of cold emails—but that path turned into a dead end. the first professor was retiring soon and the other straight up told me that she couldn’t fund me because her research grants were being threatened. with the recent research funding cuts in academia (thanks to trump-era policies), it’s been nearly impossible to secure the kind of support i’d need to study abroad. i’m at my wits’ end. i’ve done everything right—i’ve learned the skills, built the projects, contributed to real-world systems—but making a decent living still feels like a far-fetched dream. so i’m putting myself out there. i’m actively looking for remote roles or international relocation opportunities where i can grow, contribute, and finally earn what i’m worth. i’m willing to prove myself, technical interviews, take-homes, contract-to-hire—whatever it takes to get my foot in the door. any advice, referrals, or guidance would mean the world right now. thanks for reading. — a nigerian dev who just wants to build great software and live with dignity.
r/cscareerquestions
post
r/cscareerquestions
2025-04-23
Z0FBQUFBQm9DbVhRUWQ1R0l2bnNYd2F1b3FHR2RrOHNOeU45RGhGUG1icVdzdjZzcGxyOEhVOENvVHgwMDVXSGtpb2lqYjZqV2lDNktVYU5XWG81YXpJTURwQzhFbGpEdW43UmxKUENJR2xITmJaMF9lcGNzQnM9
Z0FBQUFBQm9DbVhSRXg3U3hqVDRHNEtnMnkyWWpjRHF4eEVDLXpRZXEyc1FheEtUWG5STTdMT0lzNTl5TmdaSVp2V0ZoOWNWeWM5ZXNmeEFqMEliTGJOTmJIeGUyUUxFYXRHOVF3Z1JHd2lQZzM0X1g5N1Z5Wi0teFNFLVlwRUhiQmcxU1B3Z21GRGRPaTlHb2dCMHlzX0x6NGRucENOY1ZxbzNUckkzSG9QY29zWGo5eUlVU0pUS1Y5VVZvNGJ4X25STW9XMlZTeFFFWVBRRmlYMVZ5WFU1QVdvR29nZFB3UT09
Based on my current project to humanize chatbot, human data is really annoying to work with; especially since we humans tend to not explicitly contextualize our theme and topics. Most I could do is to change how the model replies, but the same effect could also be achieved by simple RLHF and long system prompts. I ended up using a more psychological approach instead, like setting up a complex RAG for each user's likes, dynamic system prompts based on the user as well, and a 1-to-many reply system where the model could burst answer 2 or more replies (instead of long paragraph) per prompt. I don't know how efficient this is, but it's been fun. if everything works that is.
r/machinelearning
comment
r/MachineLearning
2025-04-23
Z0FBQUFBQm9DbVhRYVV3T0VWN0h5ejQtbVc2dEhfNGZwVHMyS0MxUnFMVDFRRE9hRFhSTHVsUHVJS2oyRWZxUHd1eUdfTzMxQzBoVUhPWlR0dE50eHpHYnBjZ1FlbjJBWEFKbmIyMlBSdHRoU3ZBT0hLV00xWEU9
Z0FBQUFBQm9DbVhSbk0wTzZrY1ZJR0tha0dsQWU4d3VpdW1CaU1uVThlMDh1aU9zcXhrMEVEbHd4R2pQalo3aUUzeHJlSEd2eU1tMnNyU3dRRkZfUXdBX0swcTJQUlhWZHpmZ1ZHWkU3VHVDTEtad0l2WkszeW5qcVVxUktFSjNPbjdSYVp2dnpXVjRFMVRJTWprYVQ4VkJ2bU5VTlVXSU1pX05NWnRrNElxS0FwbkhKUjVvX0d1NTNDQzE1a0pSVlQwb0pOMnJLZ2hyWHdFbkRPQndoajM2MVF5S2JONW5FbEoxUC16alRia0ZOZEJDdWU3SEJqTT0=
Sure it is. there are few guys here who gave it a try you can still ask them.
r/deeplearning
comment
r/deeplearning
2025-04-23
Z0FBQUFBQm9DbVhRUHFDZjJPS1ZjOXZUMWZyRTItSjMzc0xfdVdXV0xRRl9paGNnWEF4QnRCdkkxSUpoTmVqank2SWNRRGhQMWpQYTRXanlRQVFvRTE2cUZRNksxRHdYdXc9PQ==
Z0FBQUFBQm9DbVhSdXFsUkx5aTdDLTBZRHZhY2JWWHM0VXJNTlpYRzdGeHhQZmFRWDJQakVhTEtpRUZuV2dZWW82bFN1OG9vbzluM3cwbXJfVzB6MTdfYVpIV1BMeGgxMmVxR2x0Z2NIbGpfaTZHRGdCLW85eDh2NUwwWlJQaTJKdGFqTTNzUDBGVXp6N2xaN2xwTEpUYkszTk9iYlMzYjdjeTNsTzZ1SmJlc2tKOVRjalduQ2lIc0JpNHVFRFVUVFd1Qm1HYjN5N2dDRU1zbnZZR2I1czRCaG5EdVUwdVdvSkFURFd4RWhEVmdsdUFGTjU0OEJzVT0=
They still don't, it's just that ballpark 10gig is getting cheap and easy and that's all most people need. 10 years ago a 10gig capable firewall was six figures, 10gig switch was a couple grand. Now you can throw Pfsense in a VM and get multi-gig inspection throughput without even trying. Try and design for the current cutting edge 100-400gig backbone and you're talking a 7 figure difference or impossible depending on your preferred firewall.
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRNnBCUWxrMUJJRWlfZTlnRDBFaU5qVExBRllXMnRvZEhRcTlvV0E3QkdqRVFNTzJCbW0tUlFyRzRYMmRRLTJMWmgtRk4tNTdaX3NFbVdaYmVPSm1oUGc9PQ==
Z0FBQUFBQm9DbVhSUHlId0o4N05VSUZOaXp3NzAwZnVyVUJQVzNJTGZuLWlEWDZmMWx6SmI3THNmWU5JQk9BQWlMNDJheFBkQldoN0hmVEhvQThVYnFDeFhTT19yUXNYcHRUZGYxVkNCQjFJMlFsYVR1OUhUczlza3BzN3ZyREJhVXZ4aHYzcDNiRUdQekh5VzJFOTREbVdfZDk2WHQ1QXpwRUxva2Z3bjlpZGlXWERrQzlvOEI4d1JyVkZUX2xGdkxzWXI3MEJVLTlwWG9ZUlg4R1ZGZ0xwMXhZc1FJZ1drUT09
I heard that car insurance companies are using it to assess when cars are totaled. Instead of sending a rep, AI does it from a pic.
r/datascience
comment
r/datascience
2025-04-23
Z0FBQUFBQm9DbVhRMVVabVZoc0YxOXAxUGY5ZExRdmpGMG1fTlI2cDRIVXcwR2tJN0JMMlZmMGtUTDBqOUhwdTg3ODhrREZvYl9mZjBrZWRGRTQwdWt5RWpqa1pUU1ZoalpFeGJkNHZ5VHI2dWttaTFqaUtnYlU9
Z0FBQUFBQm9DbVhSUHBNOVRMUmtMWGpFR3JTTi05SlJCSWdjVGNHV05NTGQxM2x1YVJMcUx3bjVvTkdRTU56b3QwdlBCVFRiY291R01jRnE0UnA4QmVrZXBxdm5kUFJPbmRBRHlPeUU2UGpJa2tyOU5zVzZoME5vWXhGU1RmdVpONVlJZnJoeUFqb1NFTlRVdFRUZnEyRlZZMWRDdXJjd2Q0NzE1M09ZLUl5b0hlUXJncnIzbFp2ci03R1EwbWIyTDVGXzVXNVZrV2RVQVRoSzZITUI1REJRN3gzQV9WcUtWQT09
Hey i started studying c# almost a year ago but i wasnt studying much because i have other stuff to do. Can i find small group of programing learners to play with programing and built some sites for practicing??
r/learnprogramming
post
r/learnprogramming
2025-04-23
Z0FBQUFBQm9DbVhReGRkZ3A5LWthSnRqOXFOd01HeWZtOUxBZklneWdhdkJBbXFIUUdfWmM3SW9DQl9YUThLMGtzLXF1UEVYUUt4eXh3TDZUS3I3azRUM08wVWdlVzdhLUE9PQ==
Z0FBQUFBQm9DbVhSenpQVTJ6cTBfYk9oZlhySHdrY2x0MkVPbVdCbU1vVnBzU0xFTE9Hc2pwNGx3Zm1aN3Rub19OQ1ZrV25MckZ5eEJqZTFiVTV0eHQtbmxHWmlVYS1ER0d1allCTmw4U2lmaUtwTGRwNDJmd0J2bVY0LVBxd2ViRUtBWjBaNVZWbU9ac2JVcVdONkJWQUFtZHJyTHd6cTBEXzdySUx3MGRmOTlISE1LZXVDZF91ek00RHFzcXhUM3lhOHJfa0UtYzA1
I disagree. The problem isn't the training set. One of the problems is that real sentiences don't distinguish between training and use. Another problem is that real sentience are probably not formal systems. Our brains aren't necessarily operating equivalently to mathematical logic and consciousness may not be computable at all. We won't be able to even begin answering that question until consciousness is well defined. But that first problem is at least solvable. Until LLMs continuously update themselves based on use they'll never even approach humanization.
r/machinelearning
comment
r/MachineLearning
2025-04-23
Z0FBQUFBQm9DbVhRT2wyeFotYWkybWhaaFp4THh0UDY2NndDUjd1Q2NDQ2hKOEpwSFhWQlNMbHdMUGp3VGJyVEc0c1RRdmJPZUVicjJNY3JTV1ZkVnJMaUdDS1h4cDNOUk9IaWp1WXRYUlB5WFlaUjhrUmFoRDg9
Z0FBQUFBQm9DbVhSd0V1NkNfYzFyODBVV1pKYUVjMGQxdlVXRFlVeHZaQ0RhUG5RejlCWk5FS3c5OTlLNGE2UDktM1ROdmhxSmh0NFVGcm00Z0Fldnl2ODdZSlV2akctMXBqWkVtT2NwRUJSVnJGdjZKUWxmTGxYVGxYaks3X3NZdHpLZmlfSGlycWZxWWo5ZzFXa1BOeVB1d1pXT3pkZGZHbjJWSE81SG1FT2dHRkNYUmltaFZOYW9HbHJkZVl3d2lxVGIySE5aY21ENXBxS2xXWHI3M29yemxIV05oaGo5OVJta2txdmdSS0JEX2xNbGVTT1ZBZz0=
Hi, I was curious to know if you are an interviewer, lest say at faang or similar big tech, what makes you feel yes this is good candidate and we can hire, what are the deal breakers or something that impress you or think that a red flag? Like you want them to think about out of box metrics, or complex metrics or even basic engagement metrics like DAUs, conversions rates, view rates, etc are good enough? Also, i often see people mention a/b test whenever the questions asked so do you want them to go on deep in it? Or anything you look them to answer? Also, how long do you want the conversation to happen? Edit- also anything you think that makes them stands out or topics they mention make them stands out?
r/datascience
post
r/datascience
2025-04-23
Z0FBQUFBQm9DbVhRUndidEx4cmItRlNpNjhzektqOWY3d19sZU0tbTBnRzBtMm5mWVJjY1QtdXpRTEJHSG5CLVRBRGlBeC1ibnJRLWY2Y1p6OWpCX3ctTV9EbUc2V2FpbFE9PQ==
Z0FBQUFBQm9DbVhSOUw1eFVjQk5Udm5xeVVHV3FkZGlFSk1aU2NiVGVNLWs5MEZIc3hZSXJCdUE0NllBb1FtNE9HM2JRcjFCNXpUa1BtNS1oWGFsdWdRdFBoMTFNSzZIOXBLelo4QVpGS3RXVUtYV1FiaUJFdmNncGNObkl5SDZYXy03dG5sREJ4MEM3VU5WQVB2c0JLdnVnaGNIdlBtRUgzOURrbXBiTTJWOTRUc3ozT2xGTi1BWjJqSjF4T21IRUZ5VVVSdnl6bzZDTVlmR2tzQkVyOC1EUHYtS2hvcV9VZz09
We are UK based with GTT and Arelion (we don't use either for DDoS scrubbing) but we find Arelion so much better in every way than GTT. NOC, Service delivery, and the actual service itself is so much better with Arelion. Voxility also keep trying to sell me DDoS scrubbing
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRX09id3NPeERKVmJOMHlBQVhFWkFRZ3hXMDg3QnI4MXNXTUF1SVUyZkdHR0N3R0I2VGN2TGdWODg4N0RyZjRHRzEzeHU0T3o2dWpmeEhxUnBGbTNqVVE9PQ==
Z0FBQUFBQm9DbVhSN3R0V2syaWl5TUlSYUF6Vi0xNzMtZC1iNmh3c0lHTURyd2VxNGRITmtSOVJkWmU5VlBsMk5OQ3RKZXRfY0J3ZllEdXYwYjBzSWtodmRJb0ZVNFNDRmlEVm5EOHN1LUVnVmd0YUdDX1hSazVxR1RldXBZVkF5S19XcHlOMVc1RU9MOFZiZXo3cEZoY1A0bW85YWpSOWl3MkFyVGVKSVhZRmlwZ1NsMk10M1ZFQjJEU2dNNEZjeThNb1RIREZwTkVaUEh2ZEd3SXdSVDlNYXhlRS1RbTdlUT09
Hey all, Just thinking about setting up some network monitoring and I'd like to monitor intrazone traffic within an esxi environment. After some research, it looks like promiscuous mode on a port group is viable however, it would only capture broadcast, multicast and the traffic hitting the physical NICs, assuming the monitoring port group is not a member of the monitored port group but using the same physical adapters. As far as I know, this wouldn't capture any unicast traffic between vms in the same port group for example. Have any of ye gone down this route with standard v switches or is the req. simply distrubuted switches?
r/networking
post
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRSVZHcmM0LU0zR3VSYklPdWZTenhlM3AwV3RYVkNfQ1hlalVPdnZSeHg5dGFzeGlIYlFOblZadnl3VjhUdXA5VkNLZDRpb08zUVhGY2dDbDJydmh4OHZXNHlmS0NOelBsSWhhNXVLcDg5cGM9
Z0FBQUFBQm9DbVhSd21iNUQxQWtHUnlPYk5Eb3ZwekVPTTFxUmg3WXE5cmE3M2QtQ2Y4ZXg4M2JkRlNLUmN1VVVxa25JZVA2T0o1NlFLeW1nQWo2aFAydUJIYTRGaUQ4VjNkUW9sOTZNYXg0RmFUb19qTkI0QnItTmRHOFY3QURzTHlZcTBsVkdSWXl3elVwYzZrZy1lNmwtUERuN29yNnZ1U3F3N2tBb3VDN0syZjNtdy1KSndvVThFYjBvYzBvczFSSHlMZWs5UlRl
She is an absolutely despicable human being and I use human being loosely.
r/liberal
comment
r/Liberal
2025-04-23
Z0FBQUFBQm9DbVhRbl9HV2o1RDF6dHFWeGF3Wnhmc1B1ZzJKQ2N5WEl6SmRwcHVFNFgwNF9tMGVxQ19kN1ZVUEhNODJsN0dXbEtFN1NlVERNRldnTXZhOC1Qc3lfNDRGdWc9PQ==
Z0FBQUFBQm9DbVhSS1lXVnMxNU40QVNyWXUtbG4yakhOWUt3QVlXWXBrbUY4c1YyX0hMbnZsXzJhZEFhTXJUTElHOWphUWdjMTl2WlNjVThpeHFYRHpyN1hJeVd1M3R5clBWenl1cFBUQXZ3T0R1Vjk4QnhxRzhYMXpTQl9GNEcxR2ZEb2FEbEtTMDlTTF9DVGwzRi1uUGFTMkhlVzJFT1d1dVlvX044aW5ZZ1BNMHZNcWk2RmtFY0FRaERWVWFYU2h0T3Y3OUUzYU4yUkFlUXRDRzliUG9sR0Q4WDN2czVKUT09
I am co founder and CTO of a legal tech startup. DM me with more info, we can help defenetly help. We ajust our solution to the lawfirm needs!
r/legaltech
comment
r/legaltech
2025-04-23
Z0FBQUFBQm9DbVhRQ3NlZldmNk5DTXhESzZmdnhBd0x0dnBKZDdMbFNjRkFDNHBMbVRoMTdBVmFySjRJbXQ4bjI1Z1gxdldqSTVZeV9EenV1dmxNVGhMQlkzeEhYS0UzZVE9PQ==
Z0FBQUFBQm9DbVhSVXJUMlBQM1Btb0ZENFJLUjNyWGhJbDJFLUdNakFUSks3UXhkbG9TRFZKczhZQzd6NVNUSG4xWVlzREZNdUIxTWc2aXdWNE9kX2t6MW5SY1RFamVQNWRaLUZKVDY2bl8tamM2ZWY3UVp5Sko3SXU1U1dhNE1YVTByc085VTV4Ry1VdWVFUF9UVWxCdUljbDI0Y2RiZlFHdEU5OGc4b2lsVnBRVzRWRFZsOHBIOEFxdS1HMzlYMUFQYmFfazBhV21FQlk2M2NLekV0azhTVU1ncXJXMFhxZz09
I work in a traditional corporate america environment and was given a mentor that I meet with \~1x per quarter. I am an individual contributor and while I want to get promoted, I do not want that to be the focus of every conversation. How do you engage your mentor? What do you discuss and seek their advice on?
r/careerguidance
post
r/careerguidance
2025-04-23
Z0FBQUFBQm9DbVhRRlFYdTk3YVZVYVNDUkNvSnFZMXZPV2N2X19BYi1PN3RDcEtaTnBnNlA3Z2tzTWF5WGczZTFfeDN4b2ZqN05OTDhVSEo1QmxZWFo2SXA2R3ZuelUtdmc9PQ==
Z0FBQUFBQm9DbVhSVGRMZG85d1dneThXNWY1bXVXTmZMMFVDSG8zX3BPbDhYNXNGQVlfekc1d0s5QklBU3E2NUU4ZF93RmRGN1k0RjJ4Y2VBakdNN1I5eWJFUTE4VDd2RWxOZkl4Q0FndDRqMGgtcVh1TWljNGFFang5SDF2UmR0QXBuNW5UeGpEaWFBc3VzaHlOb09Ea1oyWXJvZEpBS2F0alFucXJ4VnltY3RTSmZOTndhMlE1ZjVQcG5jelJ6dXotOFBjcTFnNS1W
I was wondering is it possible to sign a transaction with a funder wallet and the recipient gets the token swapped even if the recipient have 0 sol , if so how can I achieve something like this ?
r/solana
post
r/solana
2025-04-23
Z0FBQUFBQm9DbVhRT0doYUN3MWdYSnBEUnhYRkx2YXRSdktzX1k5dUZ5YS15N2F5U3FuVEJhQWVMX3lKeWs0am9qeVRmdHJDZG05U0dIaGNpRGhZNnhKbU9QZnZjcklCeUE9PQ==
Z0FBQUFBQm9DbVhSUU5nWHVzNVMxYXJiUVhCYXowNTZyNUlsYW0zdHo5YkRkbU5SWWQyQ3hLYnhWeEE0dTUyMFJSc0lKSmU3dHBDa0k3MHhpcWNqT0FMbFcyY2Zqam5uU3k4dkhQaUwwdm4wQzZKaVNEZHM1YlVFTnliOFczSVRaTVVDZ2xpOHBPZ042S3k0LU4tM2lCRUl6Z2MzZW14Y1A5VndVWjZDQmZ1djNObTJpazZMc1lmbkR1MGhDdjB4ME5HWW50UG9UMkFO
Are you asking about flattening the batched data into a single dim? Or why batches (multiple examples) are needed per training pass? If the former, it's because they are independent of each other. If you have an image of a cat and a dog, it wouldn't make any sense to give the model the two images combined into a single image. Not only would that lack a clear label, it would also not be what you want in a downstream task. If the latter, it stabilizes the gradients. Ideally, gradient descent requires that a batch = the full training set, meaning you compute the gradients on every image in your training set before you update the weights once. That will tell you the "true" direction that the weights need to be updated. However, that's not feasible to do with modern datasets, which can have millions or even billions of training examples. You also need to consider how many can be passed into a GPU at once. The solution is stochastic gradient decent which tries to approximate the true gradient by averaging the results from multiple examples (i.e. a mini-batch which is what is commonly referred to as a batch). As the batch size increases, the approximation becomes more accurate. Although note that some optimizer (which work well for stochastic gradient decent can become unstable as the mini-batch size increases). And for a more practical answer, many of the frameworks expect a batch dim for their operation. If you flatten the tensor into 1 dim, then the underlying code written for 2 dims will crash.
r/deeplearning
comment
r/deeplearning
2025-04-23
Z0FBQUFBQm9DbVhRNmFwY3k3T2pqYi1FZExQTndXWkxaYi1lNW1wYzhEc1lCQ1AwMTBwcGFfcmF1dFROTnppWlByeWRnWDZTcFFwOU9hZm9wS0laazAzeTJBcGFnbFJ3X3c9PQ==
Z0FBQUFBQm9DbVhSQnJJSXJaeVBVaERWeU9vYW5pZEtvMmozcHZRVGtsd3Z2QkNQT3RoYUVodm9qbDl2dUNaZWtlN1ZJbDlMYjNxYTlkdjlZdUoxZEJ2em1NRllmNlVVMV9ocG9vd2Q4V0ZIRG1VVFo5RmV3alQta1BYbjUtQ2FBWmpYcnBFTllPZnFkMVlhSUFSVDRwS2U1TXR5TC1QRURtcnpUaXp1VzNtUEdrQnRLZURrZU1HSFZnUDBFMWZZQXZJUG5WWlp2X1lPNEVzWDlob0J6Q3oyc24tV21ESVBxRldFVmNqb1JjbXVjMG1RU09VdFFVND0=
To be fair, there are plenty of developers who fail in the security part, regardless of vibe coding, but I can't imagine making such sensitive apps without being worried about the repercussions of not securing it carefully.
r/opensource
comment
r/opensource
2025-04-23
Z0FBQUFBQm9DbVhRQlhQYlVzYkh4S0g4V3g3djh4eHY1a29DbEwydTVUdzRPeG9CajlPdVlueGxPUF9DOU4xT202Z2ZOcWRqc3JpcGgtQnpHcURpNTFzUlpLMjVkcy0wRnc9PQ==
Z0FBQUFBQm9DbVhScURaVzN1Y0VwR01OanJLdE80R3Q5aFJqdkVWNFVUMkxqeWRHMFRPZldHbnE2YWlNWHl3RmZyd3Z6dmNpazZsMHJybUlaa2NnN2lKZm9KdW15bVlYaU8tWE4teFhrdFhOY0ZZQlUxTUUyY1VlcVJMTTRuLTJoZGM3U1J4S0p3czBGVVM1T1RsVmNkeEstMG44SENOUC15d3JYai1sLWtPZW42aXZUQ0dFXy16ck9YXzBOLWNVRjR3S25XM3dpaXdCX1FPb3ZWM0N6YnNNcTl1WTFxRENnZz09
I am working on multi-homing my main site. I have an ASN and IPv6 and IPv4 blocks from ARIN. Getting BGP turned up with ISP 1 soon and ISP 2 is scheduled to dig up the street sometime this summer. Anyways, for this site high bandwidth is nice to have but not required. I'd like some additional fault tolerance as long as I am mucking about. I'm thinking Starlink and possibly 5G. I read a little about doing BGP with Starlink and it advised to use a tunnel service where you could do BGP, advertise your routes and get access over a tunnel. Do such services exist? What do they call themselves? Does anyone have any recommendations? I'm looking for fairly low cost, low bandwidth. Basically as an access method of last resort. I assume any such service is not going to be self-service as they have to do at least a little verification that the ASN you are claiming is actually yours. It would be pretty hilarious to just allow people to claim any ASN, advertise their routes and take over their IP blocks.
r/networking
post
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRWWVNLXVuNUduYk1va3hoeFhCN0tFOGxTdUplU2dhNVkzSUhTRXp0SEllOVlnUkZSSG5Fd2tYMldTYVlENmRXQW5TMGl0T0N5S1BlQWJfRUw3QXJ3aXc9PQ==
Z0FBQUFBQm9DbVhSdGU1dlhFMm54SU9nRHBGQ0FZN00tSG5lMzFFLTg4SFczY1UwOENyTXNlem9KbVp6UmZPaEswZFgtS2EzLTlnb3hDb0s0ZGdKeGdRUXpuZlFnOHZvcG82WGxZSTMzSTBHT2FReHAxaG04cnZXa05famVuTjk4S1lFQzIwck5ON3hjRTlydmpQbnF1WC1pMEt3UHNVa2ZHOXdQOE9aSGtKc2c1MFM2Mk90Z3VZPQ==
Straight up unmaintainable code
r/opensource
comment
r/opensource
2025-04-23
Z0FBQUFBQm9DbVhRYUt5MWFIenJGME1maUJUMVBwOVhVRnUtWW5KcUd6Tzl0M0tkZ2FVSUwtTHRSdG9jYlM5eUhZUnVnVk5zY1VBMXd4MFhLeE1XMVd5cFpHWlMzZFROM0E9PQ==
Z0FBQUFBQm9DbVhSY2dpT2VfRTZFZjNzQlJMV25rVUtfNEliX3FNbVFDcWM5ZzY3amx0R0trdDdXQno1Y2ZHOTdXTzk1TFlUSFBnWF83NEhuN1N0SVRTSi1zcjAwakRZV2FFLUZ3X0RHdzBEOTRDbU1IRHNFZURpeEVuZXBVMldGdmJoemlFZ0J4ZkE4YlV2OUxzanB1bFhNSkQxWVkxTjFLd1kydGI5dE9ZSXZIU0VoQXg3dy05YzZyZjJYY3U0SWRvZDRvTXJ1MTRMTEJEQ2lKQmI0Ul9HLXpZclRqWkVvZz09
That's not the point
r/opensource
comment
r/opensource
2025-04-23
Z0FBQUFBQm9DbVhRbWx2bEhUbURndWd4SmE1V2hCRDZ5NEZVa2JjTDlhUWxMakxfYnFqZXI1QmhpX05EM0JJNG02UzBRZ2xXY3FMbUt2ZEZqeU5uRUVCOVluRWNXeFNyWUE9PQ==
Z0FBQUFBQm9DbVhSc1JmTWpzOXplci1tcnM4NFdvNVVvUjlhcy1aRzkybk5ybGpDalYxSV8tMUxHWGdUbXVxaDFnSnFFOF9FQjlteTdlT096WWRxVk1pYW55TkFUR3BHczBTSlJOSXBDbmhSMkdEdy1fczVyOHlaZTNiQTV3b2F1VEpZVExhVW4xdW16aDRxNTJZNl9IRlEzdUR1cnh6cHhaR2RKVnRyYi1OdmhyQ0pHZHkyWTNJZnpkakc5SHdwa0dwUTFPRk5XcGtRaWk4WTl4Q0k4ZjdZVEVseWY0YWNLUT09
You can export a specific community to I1 and use that value within deny action in a route map on Router B
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRaldkcnBoZHZvUTRUa3MwbjJ1X1JQNnF3bm93SUFOLWRfbVlRX1c5eHRjT1VNUmZWZ0xTZGliUkw0cDg5aTFZb1B3YjJKVVlOLTJpaDFvRU9HdFluamc9PQ==
Z0FBQUFBQm9DbVhSZm8tZTdSa1ZBenFmU0hkUjNkRklFRzJTUkFqUmJWZEtNNEF6bUFRMWd5SzVwSXVKNFdxUmtRRlJyMzVYVWctakJDSUlCbjZMUXJTWnRoN21tdFhYWGtiLUdoRkVXVWQ3bFB5c253WVlCWjhmSWpldE9MQnRyWXVQcG9RaldacnJxdVZ5dVhQenVHWUg1S1k2cFdrU1dGWGF6dVZzLTlrUWd5TVVHNnQzTHU2V3FqNlJUX3NlWU5GUElMTmxEcU1tWWR4Mk13dG1IMm12MGVjOEFFMVhQdz09
Send them to Sacramento the effing pollen capital of the universe.
r/tech
comment
r/tech
2025-04-23
Z0FBQUFBQm9DbVhRMmtaMHZYRjVlcGMwTzRubzJVSzVIM1IwLUZmZTFwLTdOTGdhS200ZXYxUlVXQ3V0LWtCVUwzU0pqTHlnQ3I3OVFkbW9QVnk0Z2xKQk5lZ1YwMUNOYl95aVZSUlNnN09UdXM3S0pRYjRDTGc9
Z0FBQUFBQm9DbVhSZGcwWEhyN25qYWZILXNjVTNuVmcwY0dvY2dVWUdvZzZkYTFmLVRNUmpNNEJFTjhfY0N4NGhzQm01U2NKaWJtS0x6cFVPMmM3Qy1aT0FSZDZJMk9oZ29lckRsdFBuWW5heHlPOVFYQWN1cl8zYjZXNDF1TVpUaE5RV3RQZkdjWUdPSWl0STJJNW9FNmN0MXRROU43TnFOOHJUT0xuTGZhV21fLTdweS1kcDg2cDRvNWxjclFoR2ZEaEY3dWNic1BXSEprQUtTbENDbnBWVTltSlVSTmZ6QT09
IMO transformers work well on natural language because: 1) natural language is auto-correlated at *multiple scales*, 2) tokens, in language, have very rich embedding spaces, 3) we have a fuckton of language data. And most time series problems just don’t have those interesting properties. Therefore simpler models with high inductive biases do great. In particular, I think that the multi-scale autocorrelation with long time-horizon dependencies makes next-token-prediction work super well in language. Transformers with big context windows do a really great job at finding and exploiting text that’s separated by thousands of tokens. Language has structure at the word-level, at the sentence-level, at the paragraph-level, at the chapter level. And they have really subtle interactions. Many time series decompose to like, cyclic + trend. Or basically just act like a state-transition function. Also we have way more text data and it’s super diverse.
r/machinelearning
comment
r/MachineLearning
2025-04-23
Z0FBQUFBQm9DbVhRYWdUSFM5ckF5akpHazNvd1JPSlBFQXdTeGJLMWZrRkNvSHRsUlN5dk9sWjY2VWlOZjA2c0ZsX3l6WHItVThIVEFoblo2NlpJUGtROWRpNWlWdWJKNHc9PQ==
Z0FBQUFBQm9DbVhSdlRnUGpkVHd2a3pxZUlmVzdrZDdXdUdZZFBRZlVfdnZvZkdJNndKOWFIVWVSTWhYN2pCMXU1c0Q1b21wNE9UdF9vZFFtZjgyT0lJLW84dml3YkJ2blE5aUY5UnFmQ2ZmMnlXQXBMa0d1cGdLc3E5ZlVnYVF5UzBVZEFQMFVucERwYzhCcHVkdjE4N1dkYnp1V05mUU54My1rTWFmbV9jbGV1cGJfTFFuRmpnVTAwU19zbUgzQ3ZOWXV1RGlQMlBMc014WUJnaW92ZWU2WVhvUkdNWExwZz09
Oh, not it did not. I just forgot to delete that line. It was an earlier draft. Tks!
r/legaltech
comment
r/legaltech
2025-04-23
Z0FBQUFBQm9DbVhRWHRfTngxaW0xVGRXUlBmTUtHdkN6bThKSGVvWmpkcGNCRmw1WHZFS0Y3VFJnRE8yd1lLdkdLWUg2dXFGRXBmLVdyVFJJcEM3QTBmNW9kdWlXZGR5UDduQWFEekdxZWhRMVRwZ1U1RE9JZE09
Z0FBQUFBQm9DbVhSaWIwbGx5WlNjcVRkd1NOZl9YZVRRU0tucGhDZ3d5cVNPQTVGanR5eUtlYlUtWEpaTmpEM2VtU0VrRk96X1MyYWI3Z0tNN2RBVFV6TUFjbWtIeWR6aEhUaTZVc21SRFJqRkhINWxHNW9Gby01U3ItbTBKWVo1c3MzTjFReHl1aGthUjZ1M3VkcEJ4NExGMkkwa2lzSWd5UnhHZ0t3RHNmc1NKOTctZTE2SFpqWV91eHF6dG9TSUlVYkJvYnkybWY1N3Awb0s1QXJkeU16UFNFUnFpOVJ3dz09
My understanding is that it was done just with an old network design philosophy in mind. The biggest issue I have with it is that it blinds our firewall to internal traffic and that it went outside the scope for the network plans that I provided to the contractor. Originally this job was just supposed to coincide with the replacement of our core switch and involve properly segmenting our internal network with new L3 routing and VLANs. But I forgot to specify that I essentially just wanted the new core to essentially be a dumb switch and let the firewall handle all of the routing and VLANs so now I have this setup that I have to deal with.
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRMWVwT3JYa2ZwVEZ6cV92eE5hSXVuY193WHhjNTZoUURTM1ZTd1JKVjVjbm9Ca0gwMHlBb0RxVUMwTkkzcDkzajdVeDFTSExocU5RSnd2bDJsbmp3Y1dOVVYycGRpUXJtalFXNC13TXc3aEU9
Z0FBQUFBQm9DbVhSbXYxXzQ5WmFhbTRScVBQeGJiTkF3UlRRU2Q3dUlNX0wzVG5Db1J1X2R4Z2UtTzdJODRvbUNtTFN1cmlsZXpNNE84TnNscDV5bWNXX1d3a0I2THdWV2R4S3dveHVnLWlkYzh4cjF5UHQxZUlmdXF6bjdXaVB0MUVfdFhYOC11QjROMk80c3pCYjNIRGFHbS1OQW8zV0dUaHdHMzdHdmJ1VDM1VjdTbGRDRGd3d1R0SHY5dDJSSF9IWDM4ci1JMmtDZlRWLUhfb1RFdlctb2ZnYVlHTEFwUT09
Yes i do have IGW and the route is 0.0.0.0/0 to IGW which associated to the untrust subnet where NAt is happening palo alto ethernet 1/5
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRbnNqZ0VYelF1QXBLRVlZSGhBTXBWNm1sZWRhSGNDdW9Sc0kwV20zbzZ1NzNId2NKT0ttSkNWR1V5c29jR3FtcEtPNFVjdXFLa3B5V3dzN3pVRkZYMl94VzBEdWxkb3dKWXE3UVVtSjQ2Qlk9
Z0FBQUFBQm9DbVhSejRSNlpwZ3FJVFJxMzJWaWR6elNnWnl1UWJlYk95WFJXdkVKekRENkZqZ2g2UTYzYW95N2tGX3gxdlF2amt0VHNXa2xhTDUxcFJFUUp5WkhNMWNfLTVMWFd4SUpaOC02c0x2Z2NmUVRPNjlsWkZVY0FtUGw4VUwyVGIxYmcwNVJPS2czU25nTlI4cFVJdUd1X25mOTBXQ2x2b0l4Zm5wMGEyUDBDUTZIY1RFOVd1NUZUby1BMlF4dExRLUlISExSS0R2X2tpYS1nSGlDWVN6RGc4VF90UT09
Policy logic isn’t perfect. It’s like a spam filter. If you want automated actions you likely want to side on caution
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRTzlSLTZRdEU5ZlJnZjh2Y05JLXI0RWpYeHpOQVJXRnVDUFBmRzZ6MnI4UFJKRnNPR3V5TlRwbVNHWm5wUkU4bnRVUnVwdFNybVNwZ1ZFclpuck5ZY0E9PQ==
Z0FBQUFBQm9DbVhSQ3RTd0s2M3plYmF2RWtGOC1hbzVaOV9mWVA1WVBKb0VmWVNrQTlPcU1CTFd2M0dROTRDYm1Vcm8tOVlVZXdaaHBGSmxqLUVfVEtxQnJqNUpnb000SDRIeGlvRjhCU21zNmQzRDdNVlVzUlhnM28xWFhXRkZxMDNISFdkUzhvdGVRZUxqMTRHYmpZVW1FaE9Hb3VDTUlwYTg2Y2RsbFMtZTllMVgyemM2Sm5QU1MyUU5SLUxHNy1QUFlKeVp6eVYyX3Z1X3RKeTYzcVdoSVRaeEgybnFhUT09
3 months 3 days, not 6.
r/uspolitics
comment
r/uspolitics
2025-04-23
Z0FBQUFBQm9DbVhRbEFFUUUwWU9XcjUxamxxMHBhQ0tqMHowcWZNb3RhZEp5V1pEQ1pzWnJCQ3pwMFdMT1YzcHc2WjBtYUhSRDlmaURUdTY3MTZ5djBibU9tRzdmeEUxMXc9PQ==
Z0FBQUFBQm9DbVhScnRkYjdsYTdDekhtM1FMTklkSVp3Q3pGM05PcWxnM0FVbldxT29sU2ppYTBESHZYYU1QeEpCRl9uREFDX0x5ZGVjbng1cG5QYXNzekh2dlhFcmV3aGRNdlZZUzlrM2NPZW9mWGdIQk0zLXJLUXBHN3dQbW5PMjI3SmRibnowM3FaZTNwYl9vdzI1N1ZMQmIyd0dJa2F4d0FqcEI3ajQtMTBlZmFOMmJLVGxEc0R4UjN0Qy1DWTkyc0w1NE9IenZHcGN2aHpsT2hWOUpBd0pqejFtb2Z3Zz09
> Some officials say U.S. citizens who criticize administration policies could be charged with crimes, based on the notion that they're aiding terrorists and criminals. Great. Oppose Trump's immigration policy? Go to jail.
r/uspolitics
comment
r/uspolitics
2025-04-23
Z0FBQUFBQm9DbVhReml5VEJMeGdYNW9ENzBEdzlnSFB0NDBkdF9CTHdidkZqaW5LRFpxclB2TGxvY0ZqVXVBampMZ3dxYUlqQmV6SVN0LVRMeG5jUGxQRXptV1o4aEdjOUE9PQ==
Z0FBQUFBQm9DbVhSQnpZU19qMzBjS19hMmZmWW1JaFZYNU5KMTVJZjdqYXhxazJMVHBERVYzeGFfX1YtdlZzQmFReVVZOG13RFBOSjVuM0hlenczSmh1Tk5jRndsNTJuQUE3S1ByZkh0QjY2QnFkYnN6UzFsSExpM3VqTXJ1V3pxV0p6OVVkVEktOWZrZnJwelVwMVlycERLSWhtYWx2OVAwSDBXdlA4aE5wZ1lhVENzUFlEYVk4UFlVdW9Wa2RIMC1DeW9YeTgtZGJmY3JNQXVOR0Yyay1kaUlsaFMxbkdnZz09
Hi all, I graduated with a B.S. in electrical and computer engineering in 2023. I am currently 23 and I was hired last year at General Motors in Michigan in the TRACK program where I currently work as a test engineer mainly working with controls and software. My base salary is 86k with a 10% bonus per year that can change based off factors. I have a job offer at Honeywell for 104k base no bonus in Phoenix, AZ, as an Electrical Engineer to in military avionics. My goal for my career is to get into software preferably at a tech company as I enjoy coding and know the pay is better. I work on side projects and plan on getting certifications and such to help appeal to those tech companies hopefully soon. I know I will prefer Phoenix in terms of location but I am unsure of what might be better for my career. Any advice would be greatly appreciated. Thank you!
r/careerguidance
post
r/careerguidance
2025-04-23
Z0FBQUFBQm9DbVhRdG5DZy1XWFo1MEw4aWN1WkhDLWV0NE1DMVY4c0lneG4wbUh0eE1RMUJjSElyM0VmNE50RVcwS0owMHU2TXFheU4xUXpueS1oT3U2ZXM0azd0ZnI5Y1E9PQ==
Z0FBQUFBQm9DbVhSN2ZBdUNKMXU3aWttQ3ZybkFzbU5aNHBnRFBZZGdzWVNnS25JcUxfZ0ZIMWR0ZTZsdnVqWXFsVXdweldWS3BIQ3d0OXJjazdfRzFEVnBKajFMc21VVFIzZEY0WHlvQmtqMEgyb216SThaOERJVHBhUXY1aldyOWhpbDltekR0VktibHE0OFphaGZybnA3Y1praHBCbWt1bmFPQWtDTmlJdlRLSmFnMy1xZWwtLW9KVUtxdlU1cVJlSGRRZWtjTUtS
Link ser?
r/bittensor_
comment
r/bittensor_
2025-04-23
Z0FBQUFBQm9DbVhRbkR6SWVjV1lmU2g2MzU4cDc1enB5YmExdzdzVHJZUXlBY1dtUnh4OC1QUjJ0ZVpWdlhMN1hyWTRUel9fblBqTWhUVFRyMmV0YjNNUzFCT2RrUjRwNnc9PQ==
Z0FBQUFBQm9DbVhSNFpKVFJhQ3c4aHZHaDlSMldTV3ZIRFZHT19UT1dlV3JrQlloUV9hOWFLLUd5eWdLTVFzbFJySlVlYmptbUlVUTVZM20wc3NLZmJxY2F6ODRNSkJNWmZhaDlNTDdGRnlMUnFOU3pzVmUtcDNfa0I3QjJxODU3bDQ0UkpfRmZDZnFaVEFpYnVicU1lQWs3b1NGSjJqbGVkOUtoRmczS3JWU0NONXdTSlJJajdZVlo0ODUzRDU3dDBxbng0eTNPZ0QxV1pabFEtYmNSeFVkVzlNNThCdGtoQT09
Your eloquent and well put argument was very convincing. At first I was on the fence, but then as I continued reading your masterpiece, it all came together for me. Thank you for your insight and nuanced discussion, I shall print it out and frame it so I can remember this.
r/btc
comment
r/btc
2025-04-23
Z0FBQUFBQm9DbVhRaUZlS01zdnNkcV9YUjJacy15eVhMMUVqTmxTMXoyRXE0QVBWYWQteE1xQVZNRi1wSUVzVE1IalBQRHBpUUJsc3FWYV9wMVhqTHZsS01aSWtIVGZxTnc9PQ==
Z0FBQUFBQm9DbVhSd3phd2J4ZFJabms0WHNrdzRMYWZmQ3pZUUpadFU5Vm1QVkJ6ZzNQNDlwX2JrUENvZWlXU3ZoOFdXWnYxOWxNZThIVV9peERmcDNnZWFCeUFuR2xsbEJybU9YMHIzTXZJeDlTLUdMNXRCMnpqOE5WNW43OGstVGJUQXdxYXJJa1NWbENWajBwZXczclIwdTBCbDRXNkFwel9yTDFoNEJtVF85OXNuOEVEWnk0VXI1anNmcFlISEZHOFlkVFE3N1VEMDhYN3dkdGFsaHdFdW5TYmRkck9ydz09
Must try internative traders app for options alerts
r/wallstreetbets
post
r/wallstreetbets
2025-04-23
Z0FBQUFBQm9DbVhRNXpQSmR5c3E0WE1CazBkN0l2Xy1vU1laOVVzUE9tbVd0dG1tUjg2TjZYbHVfM3puOFo4YWJvLThWUFNwRU02N3JKdTNsNGhKdURFWjhjUHdHTm54Unc9PQ==
Z0FBQUFBQm9DbVhSTkM3ak9OSHRvUXRYUllCRnVfbUdvQ1BqSVloQ2QtdXF5Y0xYbGVIbmxOeGZCWmdlX0pSdm16T0ZROHRQcUlSNVpqNzluamZrWWg2bEtqT0hxOW9SM0lJNFF2eFR1OWdQSm5sUHJ3V0JEZEMtN2U4UUd3RXIzVGdGTW9YV2NZWmRvM3NzS2FCQk83Rl9mbHZXSjA0eDVzV3YxN2Y0dFdibUZfRHRXYURfWlprPQ==
Hey all! I made a post here the other day asking about Terraform and CaC tools. I was given great advice and useful information. I wanted to reach out and actually provide an update regarding a possible opportunity and possible changes. The org I work for is a global enterprise. We are a Windows/ Azure org. Our infrastructure is on-premise and in the cloud. I believe we recently moved away from physical servers and now host them using Azure VMs. Not sure if they use Linux or Windows servers though. I’m not that informed. A year ago, I reached out to the cloud operations lead for the Americas (CAN, USA, LATAM). He told me to study Azure and I may be able to join the team someday. Well, I studied but they ended up hiring someone a bit more experienced. I cannot say I blame them. They were building up that team and needed more experienced people. Instead of holding a grudge, I reached out to the new hire and learned a lot of from him. He actually falls under my region of support so it’s normal that we communicate. Anyways, I eventually asked him about infrastructure as code and how much we used and what tools we used. Currently, the team doesn’t practice DevOps methodology so he didn’t speak much about. Instead, he referred me to the cloud operations lead. I reached out to the lead this morning and randomly just asked him if they were going to hire people once the hiring freeze was over. To my surprise, they are going to hire some people for junior opportunities. This time though, his advice on what to learn was a bit different than before. He advised that I study IaC (Azure native tools such as Bicep, and ARM) and CI/CD pipelines. It seems that my company may start practicing DevOps. Or at least, that is my takeaway. I’m not sure how much time I have but I was able to get a voucher from MS. AZ-204 is one of the exams I can take for free using this voucher. I’m going to study this and then study AZ-104. Wish me luck all! This may be my way in! I’m hopeful and excited!
r/devops
post
r/devops
2025-04-23
Z0FBQUFBQm9DbVhRZG0xT2FEZnNSZXh3Z1QtdHFlOUU2ZDBrZUtDZS12Y0VXWnF4b0Z4MXZqNUVZSUhpUWZJZzFEaGdQdUV0NzNEYlp0cGxOWjhIZFlJVm0wTDR3M2RFYkE9PQ==
Z0FBQUFBQm9DbVhSdmJCNmZzRmZuQ3JISXNPMUNLbVl6aDhGUjgtRUZXNXB6NEw4MDM3ZWVNMDZJMUd3WkkzbW5ST0t6MzZURjVJSkJCYkFuTXBvZnVNWFVIU3N1Zkg3R0RNY2FxVDBael9VZDVsandZOHFrcHNybUdJU3dfZHFmTXQ2RUlfZ0J3RmdmUjJPMXotaDF5TTlTM2gzbnloc29PMlVCNENNaE43U0RYSHJJX1o4SjlFY2xwbTVyZFlHMXJJdF84Y3djUk95MkQ2MVZ2dG9heUk2TU93TVJiZGFFZz09
Decided to keep it light and just preload the next and previous few videos, i actually did intend to have transcoding but the whole thing was too big with ffmpeg included
r/opensource
comment
r/opensource
2025-04-23
Z0FBQUFBQm9DbVhRSmwtWlFXVkc3M2tMZG1qZVg2SzJGNVc3NEVWYUt3UUZacFYydTQwM1Nra2JLaDE0bkFmTzV4VzNISjc4YWJ3cUFkQXNFbGZESV9CSlVJeUNwSXpjRkE9PQ==
Z0FBQUFBQm9DbVhSakNDRTRiTkx2SE1wMXBwYWF2UW9kbUwyOFdOQ2ZtcGRWUlNqSFFVUmpWN0lGTHBkQlY2bU80U0FCR0htZnZNRnYtVUhlTFViTUJ3RktMNXlnWVZtZ2dkZXQ2VVZDLVJXbXJxMkNqbENRa2FFYi0yZ3lHZndnbEVtcWd4WU41elUwNkNiQmd2a0RnRThxUXNsSHdpV2gzdHZhTU1SOFliR0puVWlNcWs3aU9jRlhNUnlBcS0tVmhYemJMRE9DRE1yTF80YnFIR0JPTEwzQzlVaTNMbEJRZz09
Hey guys, Tks a lot for the help! The last line was actually an earlier draft of the OP, so there is nothing to add really. I’m a partner at a small law firm (20 lawyers) in Brazil, so we can’t really scale the use of do-it-all systems. And I actually don’t like the idea of a do it all system. I don’t want my business to become too reliant on a single system. So getting some tools that really help to save time in certain relevant tasks seems the way to go, at least for now. I want to keep control over the productive process, since we work with strategic litigation and arbitration. What has been your experience with AI in your firms? I’ll check all the links and DM. Let’s keep contact!
r/legaltech
comment
r/legaltech
2025-04-23
Z0FBQUFBQm9DbVhRZ2hmV0x2d3FmdDVtTEpOekZ4UE1wM1dWVFVXR1Z2ZmFCMUJHdGRRMzU0UWhFMUZ0cWNPc3BNMVlYUXJPcTV6el9VcDJLMjBBSjMtTEtsbUZTeTFRaXZsRW0wTm5rbHVWa3BlU2dvemVXb1E9
Z0FBQUFBQm9DbVhSbXkzaFl2bHNCczRPMm13eEJPUVZJaHJDYUFBLVhBOGJkOFlFNzZzZmRqQUh3blVVQ0NfRFFaNmVfQkIxZVRfcnAydHZYQXJVMDBzMXFzbUFfMXJhc1BLQlpXQkJ0aVNCVzR5MkVpaHUxNFpYUm5ieUVyQVdLR2JJR3ZGN3Y2TXp1UmJOeHFrZDdtem5aS2NXOVNsajFHRUM1cmtBVFRkN3RrTjhybGNsbXZ0STFmNXl6bVYwODVVX2xydTJrbVhQSnNvdXJ5enM0eU1ZQTg5QnhudzQ2QT09
https://www.coindesk.com/business/2025/04/22/what-is-tao-the-bittensor-token-causing-friction-between-barry-silbert-and-bitcoiners
r/bittensor_
comment
r/bittensor_
2025-04-23
Z0FBQUFBQm9DbVhRNmJXeDAyNGdPY1I5d0JCSS1uaTRzc01NVkdudnBrTDNxS2ZTOVY4ekFRYTZCeFZnLUZJMzhWQjAzZnBEMnFVaDJrYW94NS1RblBBcnAxZ1NDcmVxWUpDNElUaE11aDh3cjZ0NjMxTy1CaUE9
Z0FBQUFBQm9DbVhSMHpfaVN3b0ozWkFsUVZjejJNR2hnM0NKQjJMMjgwbTBibk5Hc2xUVUx5MTc4bGFIckVNRVVaMG1UMjU0VnB1TnV3ZUNjMVREbk9YRmRKZlEtdjJUNlFXdUlWeG5McFNvRzB6VmZfc3MxMTk3RFFJSkR3Z28wMUtCUExFYUZvemZZTkFma2NSRk85Wmw4NldfdEVFUTFGdi1kNkhvLXdVUUN5Q1RVRHpmV0EzMXBGVGItVUhzOGZSSjlvMTJLZmFKWUVudXdKOUhCVUgzRjdnUmxPeG5Ndz09
AI is at least as good as half the developers i’ve worked with in my career.
r/opensource
comment
r/opensource
2025-04-23
Z0FBQUFBQm9DbVhRNGZvQVFPRXdaMjJpS2p0V0J1cVhoU0M0YUxoSFF3WU9ub3YxZmhLS0tBZFNxRGhPaEo4LUVQVGY4Zkp1VGtjeGhxc05uamxVNE1jNXlDWTdyTE1Genc9PQ==
Z0FBQUFBQm9DbVhSSDc3dmticjJEU0xJNWRhZW1LTW1NVEVPRllkRkZIeVdFUkZfRTJFTlAyalR4eHVUeUZibUNad0VpLUdKY1VxdHRlRUhuUDRCM1ZYQlVsVEFjNFZ2MHFVUzQ5b1ZDdEduVk0wSE5ydXBRUmFIV0ZzLUFOdl9vZ3JLVUxGMkQwUW1LenRNc2oxLWZ0bWVrU0tYdzVneGJPX2dsUEJ4MTgwMU9oLUt3b0pqQTQ5cHJBR3pCeTRrVmYtaEpHaDgzdEJ4UjdiM1BSMHNPUUNVVWtyY1dIdEJZZz09
We used Verizon because they offered gre tunnels and on-net.
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRdXRKT0p2RG45WVpyQnJqeTZIQmFNNlhfLVZrR3pUemNMNERKbXZGdTF1dWdiR1Nhc3JXUE9yRmpfblZRT0I0NUYtLWVONFNNRmgtRGExb1k5cTM2RzN3b1B4bDFvQU5yVGJZVFNMNWVrNHM9
Z0FBQUFBQm9DbVhSaFFnMUQtN0VhdU8xM1FtRVlfTHM3WHhKNng3MjJfVEptdGFkWGRaYkxPMHZfNjUwQjl4T1FwdGI0YTdoTW5WODc3T01wOUw1MDRyRmFRellreEZEYTlRUV9WLUt0Z3dEWGJLaXVDei1uMXNLS2JfeG1WUF9DMi1vcGZUZ1FDMkRiUHQ2d01zaExtSUxneDY5cm8ydUxEX0NJd2tXcFNoUGJ4R2JCd3lIbHZYVXUyVVE0NUliSC1KTDNoVGY4V3ZYVWMtTFctZ093Q1dRN04wUlpRclZ2UT09
🍻
r/wallstreetbets
post
r/wallstreetbets
2025-04-23
Z0FBQUFBQm9DbVhRdlJhX1BTaGdXcDdhWm1WMFRFTGJOZXZIcDU1bFBrZ1k4b3I0RFlldldwNmR1bTZ3Q3g4MHp1bDdlWDRhU1hyRnhQQUtnaWZqYU1zZ0RqRTdDYlJYWFE9PQ==
Z0FBQUFBQm9DbVhSMXhHZTQyemFBbElCTnJZR1oxTzRXWFUzUEdJelZSVU9nVVVfaXJYTmNSLUpERXNuYjI3RHd6YnFfTnNudVdLdjNMcm5IQ1FnbGNHU0kyMFVGSGcwY2p1MzJpcDlYUW5UOFFqUFc4eVNYWFBjVkJFWEt6cTBRWmdUQThxRWZlNnhmeUttXzZJWTk1NkExaXpkVkRhaHZZMG0yQnlhOVBBdEZkR19KMGZRQ3VkZkVScHd3NEgtelVCa0JRSlZKd1g1N0hVRXlQakNXWk5KUXVYZmJjc2pLQT09
I do virtually all my internal routing on my switch infrastructure. But that’s because I’m running a campus network between 20 some buildings spread out over 25 acres.
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRa0p2WU9uOXVTRWQxLVR2WE50dlZLMF9xcjA4TEJZYUVSQkRjb2NWTGZxVE50Nk1VTnpjUUYtQWhxWExSd3dwZUc5WVhWcC1DNDg0SVc5YXQ3dVFiY3c9PQ==
Z0FBQUFBQm9DbVhSVm9sT3FqbEFBRWN1SnlOUjFQRjNBZE95LWVNdTVacEJ0azU2MGtkVmxXNzlyY0FkU3hSN3hhQWFtT05kUTAxZVFKOWp2T3N3RFJpVEdrZ1d4dS1DMnhLckZkX2xJTm1VWDhIUkJEYXVqTmNOdVVpZmVJanZkS1VMS25wMVNHMXBQZHlaa2hmUUVvR2FKSFRYelVvLVpXSHFNalQxOThiaW5PMDNsMF9MQzRDMGFvYlY3YW45MHJFYkhRUnp6eGhZV1hGb25QaS1oSXVjQTZlQ3J3cS1CQT09
NTT and Lumen will offer it. I did find their pricing to be miles away from GTT though, so we went with them. I agree on their NOC though, service didnt even work when we ordered it because they forgot to send an engineer to patch it in... As a temporary measure we also used Voxility over a GRE tunnel, worked well.
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRZTIzVFFNWmo4bF9OZFIzbUM4SWgxWUNySXdySTB5UXVranNJSWpnN1BBbElPOWE0RHZrT2ZXa0w2b19QNnNZNXZSeEtRU2hhN3otcUhELUNvTER2aFE9PQ==
Z0FBQUFBQm9DbVhSd0x1UWNSWm55Rl9UZXFEdHM4VDBOTXVMYTRCY0xHSFJkemZVWmFESnFLRE5rWnNHeGpuTGJUdjlYMkgxQnBPWDV2VEFzbm9RQ2tiM2VmVEpCWndZci1FZklxd1dQUDVONDdxSnFqeGdqRXgyWlFyQVduS3ptNGFrUkM3YTJHaGYzWGlCUnJmSmRrQlVJd3lBXzNVbGJvTGRXTl9hbGdEcS01M3JkQXdOZUxHOHZ6MzJ5MlBsRnREaTFKeFNWTWpEVV9wc2JVYXVZUHZKeXNaT2lfSTA3QT09
Like in which situations? An interview? I don't think you should come up with a "out of the box" metric in an interview because it's not what they are asking for and it would also be the wrong approach. Even if you are working there, you need to work with metrics available because creating a new metric from scratch takes a lot of time, work, resources. If you were given a problem to solve at work in a limited time frame and your solution involves creating a new metric or using a metric people don't care about or using a different metric than everyone else uses, that's going to create more problems for your results/report/solution. Getting people to adopt new metrics and get buy-in from stakeholders for new metrics is quite a bit of work. That does not mean you can't research the company and dig into what metrics they use. You don't have to mention the obvious metrics because every business has multiple metrics and they can care more/less about some.
r/datascience
comment
r/datascience
2025-04-23
Z0FBQUFBQm9DbVhRNUhPSTVGNlh6cGpIdGNkTjR6eG52TFVLRzJHS0VWWVA3TnlITlVHLWY0ZWV0dDAxNGNreTB4TXJLaDBrZVBlck1Bd01pYnVpNk5CN2R6WVdsYUxBUWFCQXIxdnBYSDhlMDJNOVNBRUZkdmc9
Z0FBQUFBQm9DbVhSd2RMZGNvMm9MS0RyOTFmalExbHhmUXA2ZjBLYTc3MkFvYmU1VHFvbzloUVFybDNzb1BLLTJrWlJ2Y1BrY1diWm5iakhqaDdzSWxaTC1pYlhHOXpaX1dubXlCTDNOV0Q5WURwQnhNWXpINENIU05wWTBhV3ozTXI4eUZQVkNtcjl3bTNrWWRvcERPODF0LUQ1N0cyREsyY0FfQVkxMzdpZ1hFbEFzcDVtVzVnMWlFMlpWbVp0b1ZURnhnanR2UW1mNG9XVk5IZEdQcUlJSVRUWlNnTFhuZz09
I studied dentistry at uni, I didn't choose that path and I was bad at it, we work with patients starting from the 4th year here, then the 5th and the internship year, I can't remember one time that I got satisfying results for me or for the patients, the best case was "just good", our country has the highest number of dental school graduates per year so the market is super saturated. I always wanted a career in tech so for the internship year I studied web development hard, now I am in a scholarship to get a credential that I am qualified and I am finishing it by the end of the month. But I am super afraid of the effect of AI being so good at programming and also me not being a CS grad. Am I screwed?
r/learnprogramming
post
r/learnprogramming
2025-04-23
Z0FBQUFBQm9DbVhRdFlwc2ZvMFRwS3hydG5uMG9wYkxjTmZDMDVKTVM3ZWhqZUItVXlOSDBJSUFLa3dxdk9NbmFmTmJpN1RfclEwWFR3MnBjRjdMOUVCSy1KRUxWNkJwMXc9PQ==
Z0FBQUFBQm9DbVhST0JVTkVnZnV6RllBWDY2MnRTNXpDOVBPY1RPQ1hwVlVBM1dOZks1YURVX0VZMHZYQk9ZNFJEVDIybDczWHY3OW9jTTVlQWY3WFNEaV9MQU1IUi1GeEhFcnVNS3BYRGR6Tmdxb2lIakFlbkJ2S21lOTJrTDJ4b1pKWldWWjFLZTRiMjBhSzRsdUJxMFhxWVZwbDFxWnBteW1hWVphLVlKYkhVR2xqeGRqUk85NjZ6WUdTLW1DcEtCemEwRWJ2V1dnYUNoWHhiM21UNHVtNmdUZUdPSWFPUT09
Luckily I am getting paid for this remote role. Infact, it is a very important point of validation for me - that my peers working at top law firms physically are usually unpaid or their stipend doesn't justify the money they have to spend out of pocket to change cities for a month.
r/legaltech
comment
r/legaltech
2025-04-23
Z0FBQUFBQm9DbVhRcEliTTg0alcxc0c4OHFuajZYWHY3d1d2YTZLRjhWY2VxZ3pSbjRwQzg5UkNWYnIzMGdVYkR4WF9hT1hfWjZZcm9oX3NiNGgtUDhiQ1RjaURJWDN5b0E9PQ==
Z0FBQUFBQm9DbVhSSHpGVy1wTENUa0xjSnFBT2RNODVIVVRjSE1McTBtS2t0YWVZQV9aVDZjc2J1dlRwWnZEMEV2d0VSUm5RVjNyZ3V2cEZnZXA0X2lVTW1oUkhrck5HYVZtb2l6WlFtT0pRSDVabXJrUjgxbmJLaTl4dk1FNnpFdTVaYU1HaVZSNngyMHB2cXhXOE1BYVBSZ0FXc2dNUTRtOXdUWnprNTNXUFhOenFqN2Q5VWczd2J1MjQ0X2dQY0U3bkdYS3lBUGxpYjlBdTR4eU9GbHRid05OVXVjSzdvZz09
yes, nat hairpin is idiotic
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRYkJlbHdycGFqelhyZjM4dm9XeF9pNm5KUkttYnNLdUJBeGw5REU0ZGpZWS1uaFR5OE13Vm13ekdFb3dJNjUtSHRkcXhrcGhfM0hsRHJDeVZVNzBSemc9PQ==
Z0FBQUFBQm9DbVhSdGZWUlo1dVBteVFRX0hMZTczSW9mM1VCOGpaVE5XMTk5VHg1LVlxV3Jvb18yM3RlS2wya3V6c2ZaXzZyUHVzekZBU3JDT3E3dS1MWkZyVUR2dzF1THJSYjlmcS1tZnZMR0F4ZGNKcm9HNWlwY3dFQXVSV1JTQ3hGd3J2ekk1eGtuX2ZrWExvM1Y1R2FUM19aN0JzaDJCdlVvUUs4b3RCVkFFNDl1RGt3MF81REs2VzlOM0VoRDQ5cWtxYld5N2ds
>im treating all features as same only. no special treatment to non monotonic relationship/non linear. please enlighten me. Although I can't recall the theory behind these practice, but there are several things to consider when creating features for logistic regression:- * If your feature has a non-linear but monotonic relationship with the default event, it is advisable to transform the feature to be somewhat linear with respect to the log-odds of the probability of default. You can either explore a [sigmoid ](https://en.wikipedia.org/wiki/Sigmoid_function)transformation or use a [discretisation ](https://gnpalencia.org/optbinning/)technique (approximate the non-linear pattern in a stepwise linear fashion). This should optimise your logistic regression results. * If your feature has a non-monotonic relationship (like a U-shape), then you have to consider transforming it, i.e. polynomial function or piecewise function. But since you are transforming the 'direction' of the value, it is better to to validate the transformed pattern against domain knowledge. * Also, assigning incorrect values to nulls in the features could result in a less optimal outcome. However, this is a tricky issue and hard to address without closely examining the data and understanding the data collection process. >At this point, I’ve even tried manually adding and removing features step by step to observe any changes in performance.  If you have resorted to this, you could explore stepwise regression, it is an automated process of adding and removing regression to produce a the regression with optimal outcome. Some people advise against on this method because, without domain knowledge, it can become a trial-and-error exercise, and might introducing highly correlated features and causing multicollinearity. So stepwise regression is only meant to guide your feature selection process. I assume your team have the domain knowledge to evaluate and adjust the selected features appropriately, even if they were suggested by the algorithm. Lastly, for the sake of benchmarking, you could train a Random Forest or XGBoost model and evaluate their performance. The performance of these models should represent the optimal result you can achieve with this dataset, as both Random Forest / XGBoost can inherently handle missing data and non-linear, non-monotonic relationships in the features. So, if your Random Forest / XGBoost models aren’t performing well, it’s very unlikely that a logistic regression model will perform better.
r/datascience
comment
r/datascience
2025-04-23
Z0FBQUFBQm9DbVhRZnY5MWF3cVVJZ25NZ2NvOUY2ZEs3UWd0Nk8tVGREeEE2ajhrOXpTVHE5SkxHandYR2RuV0s5MXZRcTZ2MHFTbFVfbUZ1NXlUQjQ0eThDRUFjS3RONXc9PQ==
Z0FBQUFBQm9DbVhSWEw5S1N2M2l0ZHNxU2xkR3JObmxDT2tUZU9JTEJoQlljTzJ1Q3RFZ3JidEIzQlZXaF9hdkhoZFdPemRQeWxraTBSVE1RTEY0Z2hWWGlkaE1fUnpVVlB4NUNLTVhwTkdhaThXUmJPZ1F1dDByVXNIcEFBdFdiVEtSZW1Va2J1Rm41LXVXRE9VRFhSLTMzVWt5V3JPZ2p2WVhyUVN5ZERqTTVfdm1zei1NUUtjNmFnNU5JR2lmZUI0ajJ1M2NTcVV0N3ZCSWNrRTY0QUU1NXJhOEtIY0VUdz09
"This image, created using generative tools"
r/tech
comment
r/tech
2025-04-23
Z0FBQUFBQm9DbVhRdGZPS2pSY2tLamJkX1RvMDh2RHRFUUxtMVNucGZDWDh5aExBLVhrdW1fN2ZrRmNmNW15cmdYVGpPc25tRERnNDh5TXhhSEJMZnR6UFVpdUFGb05rUFlXcl9aamwzajAzTTlGVEhsX3pCWFE9
Z0FBQUFBQm9DbVhSdEI1c29aaXVHX1hSeGpLb2RReS1uakwzemtiSXBKM0NUcndkODhlYUFucmZ1RzhOOFBWZ0RSVmFSdjgxdGVEbTJNemtIZUhCa1RNTkpvcUFIVkJfMGtodGFnNmJRRUUwY0JWNllOZ0pFNnlZbXdYS0hYQ1plRHNuaTlmTEtMTlY4N1VSdENaVVJmNEhud2tsQTVmUWs4SFJEOXVVekdyV3lRWHNKTmpVV3NvWU1qRDFfYl9lMFNZdXNRdGw3WDh4WWFRZkg4ZmRlaFRrck9keV9Kd0VDdz09
Nice work, thanks for sharing!
r/machinelearning
comment
r/MachineLearning
2025-04-23
Z0FBQUFBQm9DbVhRSEVwMTl6SUlUSktNVzR3VzJSTVJYZG15MlNiSU9Pa1ludWxSTUh6VUw3ZkxjNWlPcHEyVVBMRmpfQWpQM29ubjRqWmx5b2lDckVIaGJ4RFVlYXI1c3c9PQ==
Z0FBQUFBQm9DbVhScnZ4c1liRElVY29nTmVRX0pkMEtoUDFoTGJYWUhLLXI3Mlczd0tjUjVhaHNuQThhSF9nS3puMWVqWFhwZ0RGZDlLQ29mYjlyMzV6OG1ncTg1NGpCQkZXaUJjcVpabVFPRlFTcjJicHZsTlJHODlYdXZCbkdJZVVlUWZoR05fUy1tWTlUY1lFM2tIcUEzc3ZXd1V5TXJIZnVYNGdkZDdfcG5PQm9wWEQxSWxVOHhJYkVMcjFzd1lENFRNVjEzWFQxLVJjc29MNWVnYjg5YnVqM1pNSUZiNWQ2Z0ZfUTIwNDRkSjhpOEtsNXhLdz0=
I doubt they give a shit what metric you come up with. They’re more interested in seeing if you ask a bunch of questions that show that you try to align your metrics with tangible business outcomes
r/datascience
comment
r/datascience
2025-04-23
Z0FBQUFBQm9DbVhRcVJPbk9VMUl2aG5Rd1YteFJHbkZvOG9yMnM4VUpPZHB0bzZkVU5uWDB1LWxTT0hnNEdqdXRtM3J1ZXFtTFBhNnhTeFdORGZTS3Jrd3dRVTExZTRNMFE9PQ==
Z0FBQUFBQm9DbVhSQXliZEhwQkI3VXd6ZVAwcUMxeUg4QzUyZkNDVWpsY3NzZ3dkN01SeEFCQ0ZDT0NUbzFSYVVTTXRmNFhQdkdGY25JMzVxeFFEX1pZcGVsWm5lNlFhal9UUU5iRmlyY2hrWXE3TV8yaHl3WVFiSWdrTXZ6eWotR0xKUVVkbl9QNlBJM0I5clNUMkk2UUtNSzlNY2VHTTV6ZVV4ekhmZ2VGMkdnbkdSRVpmcmFpcjBnRGN1TWNYbjlGWGhoZEstU2dObGNZdndBc2FsVlpkOWgwSlZJS1pxUT09
Ah, now I understand your take on what you have on your list. You may not even need a full blown CLM if the agreements don't get negotiated.
r/legaltech
comment
r/legaltech
2025-04-23
Z0FBQUFBQm9DbVhRSkxNMk1GMk1ldmlHR3BmbWM4TVlVenkyWnM3TkNRNUE0V05jNUZoV2NlUEJqeFNzSDFzMXFNVjRXVjhneFlxdTlfcDB4cjFmdENrLUxqbG1lVU9GNWc9PQ==
Z0FBQUFBQm9DbVhSWm0zMVppS2R5R1Y4V1U0UXgxdXJSOFhheWpDaDhuWW41STJxenlXeW5RTXhuUHNYZU9LbTA0dlZBcEZaWV9DQU5tZUZ3eWFjdnFybm9mV3pkOHEzd0d1MEF5RVlXSEo1MGktblRmU0NfNGlyUEwzOUU0S3NWMV8yWmltZWFseWNFVERPY01rSTNxYUxJbUY5WFUzR19yNmNfSzhqM1hGS0RqY1dycjNSQkNiVkY1dTZlVzRUOFRXUF9vcmdoa29ZeXU0Z25XY0pvaWJUOXRTQ3ZVZlQ4Zz09
Not sure what you’re drinking/smoking, but I’ll have some, thanks. Assuming by xG you mean cellular, you can’t compare WiFi to cellular. Cellular is PCF, WiFi is DCF. With cellular, base stations and client devices are in sync. Nobody talks until it’s their turn. So 1 BS or 500 BS doesn’t matter (in theory) because they won’t talk over each other. WiFi doesn’t care. APs will broadcast their beacons and clients will transmit whenever they want. The more APs you have = the more beacons, which will increase collisions, making the APs unusable. You could lower the power to the absolute minimum, but now you just have a raised noise floor and no usable signal, so net result is the same unusable APs.
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRQk5HQ1RlT3Y3M3J5QjNnMHN5ZTFHVmFEV3pPOVB1c1RqUnA2T0NqQjZYRnA3T21aajYyVTVZUlZ3aHI5UERRbmpnQlp4SWE2cFVRV0tWczFTUWRqT1E9PQ==
Z0FBQUFBQm9DbVhSNGE1dUdHUlZxMzFmWUtaZFdUTXM5VHhlYndIWnJ3UDVpN1RabElVYW5SVW84OGs3Z3hkWkkyeEwzZTZFTkxKX3B4SmY4c0lNcFdCajB2Rl9MX0YtaE1UQ09ydjhDanZ1MTdwT1I0R0hMZHF3Nms5TXB0ZlNPMVFrRkZQSm1nV0t3a0U5MnBqZG1vbjhIWXZyT2FjY2JBc1BCbWJDc2RjSUJTNzFXNjhENWhzd2FoNC1lMXdiMnYzZkZuQndseWNf
mTrash was real.
r/worldpolitics
post
r/worldpolitics
2025-04-23
Z0FBQUFBQm9DbVhRMktQc2hka2twMGNsRUNGel9WS1NReEk1QnNCQl9vNTU2cHNnZG10d2ZjaXBPZU9tV1JyQW0zdDJHVHc4bHpBUFlwc1FwRHp3aE9vMmU2Qzc3T1BIY3c9PQ==
Z0FBQUFBQm9DbVhSUWo5VHEtSDlkaFphVUZBNXByc2ZtbVg4U1JEdHBUaVZTWlZqbzc5UUlLX0tlUy1jbmVoX1EtRDlsYUFqZjl6VjN3OUtjVXZOUi1oWkEyaGFiMmxzaWpUMHVRUC1PWVFEN0lvaEl0aFdXZ2RYVHQ1RUVrdHl3dG1PSUItdTA0T1BYNlBvdHdSY095bU9EZUZFanJVU2QzbzVqMk9KVC16a3NNajdMd1hhV3RRcThsYjRrMzJSUGhQOE1HMGppYlo3MGxNNUstSGNULVdpTUM2RGpSY3pvUT09
Thankyou so much for writing. I guess I never thought about it from the "love" angle.
r/legaltech
comment
r/legaltech
2025-04-23
Z0FBQUFBQm9DbVhRRFpUUWFlaDEtR3FXRjcyQzVia3g1S1F1aFBXQThuczFiRmd4c19iMGtYZ0l2SVVFRDl2MmxOTWhCeV9CM1BBbmRlbUNxRjV0UEJKNnhuSHZRSE5wRXc9PQ==
Z0FBQUFBQm9DbVhSMDktZUxkT1ctN2RfYjFzT2NELVhUb3l0LVNoWUloS3Brb0pVUkV5WFBoNk9vczNQeDVSZ2kyeVVZcWNyd2Y4aUpzRWlwRVlSMk5oV0xFbVNwOE9hMjJKOVFUMEdjeS1uZXFSaGpYVXhTbmNmZGN6YWQtRXRhYUtLUHdqeWpfMHF2Y1c3TTEzckdycnk5VGJZRDJiWXQxamd0Q0lKY0sxVzBhUU5hQzd5dEIyNzFMOUJwWkI2OGE2MV83Qko5UHZDODBPS2pNTEI4WC1LWlpIaXV0QXFkZz09
TLDR: I'm only good at programming in Python and my job currently has little opportunity to work with anything else. Should I learn/do a project in another language or just chill? If learn another language should I: * Get better at JS * Learn a different language (Go, Java, other) * Learn something else - Current Stats Experience: ~2 yoe FT, 2 3-month Internships Tech Stack: * 80% Python, 15% JavaScript, 5% Java (maintaining a legacy service, Vuln Remediations) * SQL (as needed) * AWS (Lambda, EC2, S3, Route53) Education: Unrelated Engineering Degree Current Thoughts * I feel pretty comfortable with Python and am beginning to casually learn DS&A and LeetCode (1 problem a day) * I am looking into a CS degree but I might keep that in my back pocket in case I lose my job * I am pretty comfortable with my soft skills: I'm good with public speaking/presentations/demos, my documentation looks good, I think I network well * Maybe I should learn another programming language. Java, JavaScript, Typescript and Go are used frequently in my company, just not on my team * I am mostly interested in Backend, API, DS/DE type work
r/cscareerquestions
post
r/cscareerquestions
2025-04-23
Z0FBQUFBQm9DbVhRRnZmRFZIU0FKd20zanVXQ0psVVBxRFp5b1hqRlBaa1lJbkQtU0RUYjkyNmxnbG5PVExyTkdQclpGbTN6b2FURFVhZnFva0pGOEl1Qi1LVHdmZ3VEV2c9PQ==
Z0FBQUFBQm9DbVhSa2g1eEozNnVQM1psQVAxWmNxWkZoMlU2cFVmS2JkRVNtRHpIczBPVFBpc2J4azlodWppWElESlJweDVFUGwySm5IZU9RWTdRU1A1RHBGUms3dkJFejFXbzh2VGZzQ2lURG5ramtmTWZzeVZNb3c1aG1lMHlvQkNTem80LV9PTWlNZ2pPQ1dnSjdYLXlMcWJEYUdPeEpWaWNjNWlleFdYU3R0MnBfanlCOHVDUnNraTVHcjV3LU12RThFMlhiWlpRUFBDWkdfZmkwZHFMMlo2R2NEZEdNUT09
The point you made about semantic understanding is crucial. Wouldn't FastText perform similarly well as compared to Bert topic?
r/datascience
comment
r/datascience
2025-04-23
Z0FBQUFBQm9DbVhRWXZ0YXdURDUyV1F3cjNEUzBVTU45SWVTeUR5N1lHcktZYjZDcHd1bGVkZjIyODNNWDdSVy0tQUc4Z1cyeHpDQmQtM2xhUU5SSjYzZ0I0c0h2WVR6a1E9PQ==
Z0FBQUFBQm9DbVhSczlCZXFENVo2VGYxaU0xbkpGd3M2dXJtTksyUlpkb1RoTWVuNU9yU2J2WW0wVXcydnBEVkZkOWFXXzdidDhWY0JQRzdQOVJfSnptN2FaTkk4RzFNQ2VwaVgzaXJ2SEhDXzZyYWRLRFpoYUJZU0ZtaW5qcXFESWJ6NGJMbVdQQ05aTFBZeEwzVzVVdGN5cnNXdmFLUk8xRUJsX3pxcVZaemJiTm9wRDdhVDVZdmd5YjFmR2dFNXZyWjk4TDFiQ2dnVFc4U21mWUFLeDdaUzlxTGVXajF1Zz09
Trump, our prisons are full so let’s ship out ~~my enemies~~ our criminals to foreign prisons.
r/uspolitics
comment
r/uspolitics
2025-04-23
Z0FBQUFBQm9DbVhRNjR1WGVuUUR1S19OdE9aMTFkQURfS3NjemRPNmxoa2Y0X1VzWnVnMmtQdU9yNmVLNXlNSmNDc0dHeFgtR2stbHZlQWN3dWM1VzNFVUlqMzA1N1pLRXc9PQ==
Z0FBQUFBQm9DbVhSLVZjUFIwRW52U3pBa2FIUm9tMF9xbkdENVNldjR3THZMWDZ0VjJJYlRySk40OWlsZVhXdWJiTkdyS2M2ZEJGbTEtSnJOT2JsUWFpcy1zclhLWnd3QUxPaXpMZy1ya0RqMkdnczkwYXBfYmI2anU0TWhCNkR2LVZpcXc1T19RanRpWUx3Nk9WNnYwR3NNcVMwMTd0WU5SY1lJdFRIZzJPdUU2UTdhNWpFUnloYVA1VTZJTVVjUzJicUhlM2tlOHdRNXNGclJHVlBINXZzNVRYWWZqZ2lWUT09
Thanks for sharing the resources. Happy to connect!
r/legaltech
comment
r/legaltech
2025-04-23
Z0FBQUFBQm9DbVhRMy1YYkhEbUYxb055OWEtaFg1ZUh1ZDNqUTFZSDkyNFhXQUNkMVktVVNLR0xDNFUtR18zMWpScFpzTW83OXk1SUwyb1ZQa0NDeU52T0NfTk53a2toVnc9PQ==
Z0FBQUFBQm9DbVhSdHA4azBrbHloMXp6aTA3VnhOdjZvdXNuYW5PaVVpRC1IdHdnRmw2c3VYU3l0Sm8yTi1xY2RZWEppWGhYV242UlpPbjRfeU0yU1hheVZ5Nl9RTHFFb0VLZjl6QUZpalFiV1FTUW1xRHh5a2l4SG9lSEt6d19ZbTFNSjBQSlI2bzRmTXVfemg4NXBscDFSSmZZUmNRQnNCNXFtRWUxY3RBNWJ2TWExbWJNY0ozZ0w1WnFWUzNxZzl5T3g0OXFaWHNYT3JuV1ZZMVhtYV9EQm14RUcwVk5XZz09
Fuck yea!! Doing nature a solid💚
r/tech
comment
r/tech
2025-04-23
Z0FBQUFBQm9DbVhRSGRmUlZGSzVsczRwZ0lReXFIalZNMU9nRWF5bENOYjFmSHY4UGpZcHJ0OGM5OGU1TTA4T0RCVk1EZUZwUm9JMXpPOEx6SzNFQ3hGSXZsOHhxdl9RdEE9PQ==
Z0FBQUFBQm9DbVhSd0VkbEp1YWFzd00zejVoUHBnRkM0Z0c2OFZGWkRNOElHdElFanNSNGRiV09Bb3FVRlI3cWFtWUowZ0ZyeU92dnZYVFRXUlZ1OE04LWFldW5vVXRWVG5EbXVPWnBkLTIzVTVMZE44dHFFMUxwN1dtVE0yWXZRRm0yQXI5Sm1HLTBDMXJUY3R3YUZtTzVZX1RwQlZmMUZYU1hSRXVZaXM2S3FQMUpYZGtJZGF6T1VzaHFkaUJZQUpWbDF2bk9UM2dxU2VSWlgwUjNYNk00RUxRanVwX25OZz09
[Moore's Law for AI Agents explainer](https://theaidigest.org/time-horizons)
r/artificial
post
r/artificial
2025-04-23
Z0FBQUFBQm9DbVhRVkFROGRKdFFtZFNsc2NDTUhuSm94LXQwbHJDZlNQLUcya0pJQW9jdzVBdUlvNDVWXzNhdDBlQ1BUV3JWS1l1R1BuS0drbWh1RHdjTEVTd2tnYlUxanc9PQ==
Z0FBQUFBQm9DbVhSNjBCNU9BeFFTQ29xVUdvblcwUENDUnhHVFg0TTdhLVQzaUcxTU1lTUllU0MxS1YtYkZ6MW9hRVgxd0JaR3U4SEsxNHROY2ZBOWIxZjdreVZ0RVZQeThzcGtsRTJ2cnhEUW9abk8tOHNoZlVKMUFNTWd6NllWdEVXRGh0NmhybmRUWVhka2lwZkVpOEpGXzRtNXp2ck1CVFZzTkpwSWgwY0tKS1VCSUZ6dUcyaURaVUZqQTlJbndzUF90blBmVEc1aXBvSGNFSW5oN1pkaExFRDQ3c0I3UT09
I checked the website and seems impressive. How is experience going?
r/legaltech
comment
r/legaltech
2025-04-23
Z0FBQUFBQm9DbVhRbEtLSVgxZl9JUXI3WFpDOHJOdEJsMjd4ZXFMc3V4Qm9FWnlHTFh1UWJnREI2MHhsRGxoWlJ4UXBxT0FtbEdCX1ZLZWNtakpGa1lWc3M2bTJqaUZIZ0RqUGJ5LWx3eUdmUjRzRUtRLVNrSms9
Z0FBQUFBQm9DbVhSeUVkX2RXWmFFaEM0MjVRcmd1aU5HWGNvSWw1U2d1Y3BsbHJrY1ZBLUk0aENkYk1uem13YlpJbUJJbEN4dUtYQm9DMEVhM3o1Vl9iLWtSOVpOMWlFY2FCQjZoNExOSFpaV0Z2bnVBNnB2Yk5LOS1OcmhMZ080Y252MUZNektERDNMWW1iWk5yd2g3SHdzTVJ1aC1IZFVsVW5mTXRDb3haTmFQU1FrQm1LY2dRdFBaUkIxU0Vnd1dlamJCUDZGY2dfMzd0U0RNQ0JBSGFjdFpxVGFsTnFCdz09
When I'm not doing anything in particular (or even if I am) sometimes the various random apps I have open (like Spotify, Discord, Firefox) are showing 100% GPU usage in task manager, even though it doesn't say the GPU is being utilized at all at the top of the processes tab or in the performance screen of task manager, plus my GPU temperature is low too. I don't know what is causing it, can't find anything about this particular problem online and don't know if this is even something I should worry about. Help would be appreciated, thanks!
r/techsupport
post
r/techsupport
2025-04-23
Z0FBQUFBQm9DbVhRRl8xcTl5UGp0YjkyM0p2YVYxNjd6M3NuMzNyQ05oSTBaM2x2WmdRc0duUThuUUV2VGJQZkNhT180YzRvZEpWY3J1UGJDM1Q3bE5XTDU2a1BxbTdOZ1E9PQ==
Z0FBQUFBQm9DbVhSc1Y3bl9sdXlKY2JtdUpKRXlOa3J0c0g5bkRvM0xsN2dJV21ZLTBsZ3dYX1FSR255cExRWnlTa1RMZEdTUEdwbTE5RWRGckdBcFFSMktIRXlWYlp2QTBCTjFqaG51WDkwMXo2bkNmbzlnVWxCeXVNMTYtRG85SGVBUjhSQkprbEZwdHNUQ1hkUmNpdW03WExYbW1STnVxMUo1OFRrZkU4S05pcURWMExlbndQbkY0UmRHVkdPNnVMUmZWM2QyMlVRcnU2d1pTN09oMk5oVVhMdm01Nnp1dz09
Your post was automatically removed for not having a tag in the title (i.e. [R], [N], [P], or [D]). Please read [rule 3](https://www.reddit.com/r/MachineLearning/about/rules/). **The moderators will not respond to questions regarding this removal unless you suggest which rule you most likely broke.** If you have a beginner related question, visit /r/MLQuestions or /r/LearnMachineLearning. *I am a bot, and this action was performed automatically. Please [contact the moderators of this subreddit](/message/compose/?to=/r/MachineLearning) if you have any questions or concerns.*
r/machinelearning
comment
r/MachineLearning
2025-04-23
Z0FBQUFBQm9DbVhRNUFHT2NiR0txX25iNmgyVVd3YkpvcmRsWDdkRGRmZm1BaEt4QnQwWnRtVC1yUmlRSU1zd3hDemVlaFpYNlBoQWphWVAtVlU3OGRKc0Y2ZTF4UmtrcGc9PQ==
Z0FBQUFBQm9DbVhSMkl0ZUo3WHd4WFBadWMxQ2QwMVQyTlp4OEVGU0J0dmtUSjdfTDZkc21tSHQyWE1PTWVwLVhJYjlUMERQaFdkUW45dGJ5b25LMDBKdlRKVnpheEUyUnVIVldteFJONzNSVUxVLWFEUHZiRkFuYjgwWERMVmg2RHR5WUU1Q1FEVFRzWHlxZWtQS2Q1R2RnTEdYcVBwOF9HSUlKSDlZNmdWOGFBZUplZVdpNHlOLXNuTmR3TWtCWVVSeXhSX0laYklBNldzWUpodm1fRHdGU0lXeHVQeFRyYzA4T1NSdHdNUkNpa01POVQ0Rzkxbz0=
Thank you! Yea, that's going the be the case with any tool like you said which we've seen pretty evidently on the socials lol Hopefully they *do* improve beyond that but I imagine there always will be security concerns. My goal is to ultimately give you a strong foundation without all the hallucinations that currently play a role in AI generated fluff. But alas, we shall see. Things are moving very fast these last couple years.
r/opensource
comment
r/opensource
2025-04-23
Z0FBQUFBQm9DbVhRYkpzWXFkU25Way1mMTZ5VlBMMGNCNFhoTVh5R3Z6Q1N4VEFvcm9xNmlveWpxS0d5NTNGTjVTejBMLVVQM0FBRFV0NTRaSGVscm1Ld0VZcmYxYVdabm1mQ2hIY2hBR2NyNmhwSEZHTGFWcFE9
Z0FBQUFBQm9DbVhScndENXNiUWtyZVhDQlR6b0FiLUM0UjVibVBTX2dTa2tXRHRVWTU0S0RuRGc4b2VhSGRQdjVqMUtlYnRxWGpNTGF6T0xDT0xBVDdyWklpOG9KQzFiQUFmRlRMWmZNYWg5UDRjbXBRMTVFZjNfc2QtNGo3N3V6MnM2QTZhZkY2N0ZKZTZ1dmc1RGJiRDkwYm9hR0JCOEVQU1ZxcUtBZnhZYW1jaXJqLUFDUHVPSHdpTnZIcnNQYnNqWDZfTXVNOU1DTzhtVlhFVFNYR3dzbWZBWDVPdmJxUT09
I work in IT and this one has me stumped. I'll just be typing in Chrome, Steam chat, global chat in a game, etc. and randomly the keyboard will type a letter twice. Maybe once every 30 seconds to 1 minute of straight typing. ASUS ROG STRIX B650E-F GAMING WIFI mobo I've tried: Restarting ;) REFORMATTING as a last resort (100% wipe, no files copied over) Updated motherboard drivers and BIOS Different keyboards, cheap and $250 boards Unplugging and replugging the keyboard cable Tried different USB ports, 2.0 and 3.0 front and rear of tower Going into Keyboard Properties and adjusting the Repeat delay, and Repeat rate. Clicking "Remove" from Bluetooth and Devices menu then removing and plugging in keyboard cable.
r/techsupport
post
r/techsupport
2025-04-23
Z0FBQUFBQm9DbVhRR3hXOGlOM1N1d29JQ3U1U2swbW1jOFJoNFY0Z3FXM1ZXSGVRdnNBMng3cXZmUi1PbHo0MWVuRWxSYThvY2xjNEVVSmZRdW9zRFF3cG9yNEZWMWpNc2c9PQ==
Z0FBQUFBQm9DbVhSVGRKSmNoMEd2NHNjNlJsNncwNDhpWWlSR1RXUUREUWh0TGxrVDVXekpXOU5YRWNrU3FhWXZuV3Z1alllYldMSlJkdTg1eFA5MFZ4U1NwUi1vX0JrQ3lBblFzcGlNdk5uSng1RE5MLXZfczJKZnQ4aTV1SHBnR1NlU1hBWmx5VlFXWlFnZ0tmNy01cG1PSEtPcllMZDVweTBsRHdLUzktRGVaamJzQWRoSVZ4aVVvN1NKWUNTcFFGdjh4d214MzJ0
They want to see HOW you solve the problem
r/datascience
comment
r/datascience
2025-04-23
Z0FBQUFBQm9DbVhReXhQelYwc1B6TGFHaURPN0hDaHlNd2lhNHVpM3RZY1pqR3VNRWxxd1hyUUo0SER3MWViOGItN3p5VTB4b2JwWFltMFZvMnpYTDZwUzN0NUx1alh0TGc9PQ==
Z0FBQUFBQm9DbVhSUmZTSm85RW5KeER5V3pkb05nemItNDN5VnJpXzhVX3haVUtldGpHYk0wR3dqVVNjaHd6ZE9XQUgwejFlZzBrcmxtdXE2OWJadXhoQWpzYmVURVFHNXpsZ0s5Q3lRUXZuYVF6aGdubWxaZlhaY2pSa2drVzBlVzJCUGxOdURnTmowRjBudXlRUGIydTBIQ1FDbkhYT1JXNGRoMUI0SkpOWld0MnJsVE9RaGZQUVoxVkVnbzh2b2hsajRSN2tvTGNNNmphcV9zQVZjdDN5dkZCcTd6MHVhZz09
They got their weekly talking points. maga is spouting God, Jesus christo fascist mumbo jumbo. Beware the sign of the cross.
r/uspolitics
comment
r/uspolitics
2025-04-23
Z0FBQUFBQm9DbVhRaWUxU0xUcGs4dlc1UzJTMzNkLTIyX09NSVJ1eEN2UDZLMUU0NW41MFh4VUNWN0dzZ1UtVk1TRUoxa0cyMTd6TFpxdjM4bVZTb2Q3MmR0UWR3UGxnY1M5SkFqaHB0d3pXYVJkV2syemx4bDA9
Z0FBQUFBQm9DbVhSSEpfbUtDWUZwVGR4bGZ5V1dINGlyQXlOV2RVc2VpYTB2VkZOYkwyZW9iOHd6SW9OY0JJQXN6d2l1OGphSUphLWhoRjhBTEplTEJGeGtZUXRMOGplWlhzQ1dwTFBDS2VwUS1HMEprU0o0YmZxNy1xd2RrODkzSm9jZkVVRnQwMHQ5UW1UaTc3NnNVN0g3TmNvWVFuYXgxd2I1dW9aSS1QRnVZd0U1RXYwcTJ4MTJ6RjFZOWd1R0lzcUEtT2tXWTk3YlZIUklpcktfNjN1SFJ1R3lzWnRmQT09
WiFi 7 is great, you will need to test how the mlo affects your roaming and zoom calls. Maybe every 30-35ft vs 40-50ft for AP placements, need 2.5+Gbe preferably 5/10Gbe in Enterprise use dual lan ap with uplinks to a stack on different switches. Don't be that dumb dumb and put ALL the AP on 1 freaking switch like you're poor and lazy. What else you want to know? Always use ekahau or similar for surveys. Test with the devices the company will be using, use a non metal cart to push your laptop and sidekick, didn't put it on your back even if they say you can that's stupid, you will be sweating your ass off and the reading will be subjective depending on the person's physical characteristics. Don't use mesh in the corp environment unless it fits your performance requirements. If your in a downtown environment use 40mhz wide for 5Ghz, careful with dfs, 6ghz maybe keep it separate, same with 2.4, use 2.4 only for guest. Possibly set known channels with high interference for guest SSID only keep high quality channels in your environment set for corp only. Don't forget to set the power to 15-21db, never max out defaults. 20mhz for 2.4 never 40mhz wide. 1,6,11 only in USA. Xfinity can't ever do this right and they sell you networks which is disgusting. Scan the Xfinity Wi-Fi and see the crappy channels they allow, embarrassing.
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRMko5WEtNOU85UlBHdnZXd3YyT2drYWNFMVdpYjFEakM0dVJBY2ZMeUVNQXRRT0ZlM1VHUGNoSWRQVkFQQTNEdHR2cnNPekRtempJdUpiaVlCMkdTSGc9PQ==
Z0FBQUFBQm9DbVhSMzRucnl0b3IwS2lOYU4yT0FqcnRiNGh5RGpfRlNsZThZUUxVT2RlWGllTzFOUThqZkZDTnFtZEFCSkpFa3MtTktrbWN2TlV2TThsM0V6aElaVmZSMHA3SWNSbWtVN3cxN3FYc295N1B0VFI2QWd2Wk4wLTZpWGRwdDhiUkFZVXdCNFZzdERuUmZKd0E2SHlmSTRUUEFZeFJoUVN5Njk2b3VvcTBrZ2YtQ0RoVFFHN2Nrd3VTZmhoNU83eExlSmkzMnRoTW5LU2JfNU9Qdzg0VmdDcWc2UT09
If you sold 1. Panic 2. Time market 3. Under 35 Your an idiot. This video is dedicated to you... https://youtube.com/shorts/2Of6-ThsRzk?si=le89cW2hmO3BrgpS
r/btc
comment
r/btc
2025-04-23
Z0FBQUFBQm9DbVhRRVV2TjR5MENGYkd5VEcyMjVWY1JjaVNYWVdnZXFLZENYM3R4cThBRnVoSU1Wa04xWWF5cUNDR0JveEszU2pOQ3l4eGFZd3FtWFJmOExMVC1icTJkQ2c9PQ==
Z0FBQUFBQm9DbVhSUjdLTVJvejJDWHFPcWg4VV9OZFgyV2x4OU5CLXRnZjBrS2RTVTVJSXUtOFhvbmZsMmtRazdoVHBYbm5meDdrNkc2Rm1rdUxnbU1MbEhJczFqaVZnQ3Q4VWE0R1JXUnRlY0dfeUx3djNFTDFnWm0xZHFPcW9kdFo0Vl9JMkt5dVBnUXdVdmc2R2xxcmpLdTkxMkItRnlZVjhKTDgyZHdiTEI2R2JsTnBNV2h6YU13RDJFcXVzTFFBMnRvcHl6S0hG
25mW is not useable what a joke
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRLW9MOEd6TkdJT0gxQzFRd3Z6Y1g0cWtRMTRndU84M1ZhREdRcXdKeXp2aHFJU3NyOWo2M01rYVBmc25mMi1YeGlOc1NrUEc3czhhblpuRk50MTBMZ3c9PQ==
Z0FBQUFBQm9DbVhSTGVMWVJxMlAxc3lfZEJyRk9DMGQtZ0tQcFJOcWhqVXRjV1FLdEo4YUM4YTlWb3lESnNPYTVDbnlycjlaQWRxOFBIZlR5R05yRlAwRjJ3WGxvV2lLRkwzOWw5RksxeExEX2pSZVM0bFlRTmkxdVNVcEtyZWxoNkU2aWhNTktjZW1xNzAydmFYd214NUJfMXNKSll0UnJqVlRiYXVmMWxMaEFQdGIzbFR4UHc2YjVYNXlrVzRMWnN6YzhCcUp1RGIwcnFwTzA0LVRSWkZJRU9kWVhfelRoUT09
Haven't spoken with my cousin since 2016.
r/liberal
comment
r/Liberal
2025-04-23
Z0FBQUFBQm9DbVhRSGJseGU2VzVGRzAza3ZUQmVLT01iSC04cWR2d3NMc2t1VGRFMXZLdUduY3dyTjd2bG5aY3JJQk1JM1preXFfdFdwR1BhdV9ELW1JRVNXWDF2bndZZGc9PQ==
Z0FBQUFBQm9DbVhSdGJsbTJMS2VaZlMtOGJiOExYLXVfYk1fSjVXVnJNdXpIN0puYlNnUWNQTkZ5dWtLVHFMMTNHWE0zWkFuZW5FcHdqc1VRUjEyeFd2MkdlOUhRUFBjQlFMekhHTkhPQXNHVUhvVUl0aHJyRWNpTTVPZzFFaGMzek4wUVk0N3hiQm5Kd1pmNW00VGFYY3VGYzB6cU1sNHF6TW5ySmNTd0U4dkxKLUlfaTFEcWcxcXlTeGxxVHZoRmlUMXU1VXJwU1lBRi13bXlSX2E3NXpyWDNNai02OWstQT09
My understanding of the IT career landscape is that networking is not an entry level job. But yet I looked at LinkedIn and saw that they have my jobs that say “junior network administrator” or “network specialist” and the pay is less than what I make as a helpdesk technician. This surprised me. I thought you studied in order to make more money in networking and security. But my search says otherwise. How does that make sense?
r/itcareerquestions
post
r/ITCareerQuestions
2025-04-23
Z0FBQUFBQm9DbVhRbjdrTWJZdHZPVDFJcWI3b1R0MWtZeTNoYVczNmtmTEdWdkRKUkJIZUdydG04V1U1c2JWWHd0Znp4RExOdVJuV29CVkVrQWNzUXlvWnVtckJLNGM1bGc9PQ==
Z0FBQUFBQm9DbVhSYWg2anU3cVhwaEQ5aHpzMV9XX09oSGI2RTB1SzJhRnhoOHp5RXBuSFFOQ3g2QWYwdFlyWTZBb3FMcWtTWTZqQ3JELS1PVGpleEtJeUVMempySHJ0eDd0VEw4eVN4WUgwQndRamNSMnNKTmlseHBPZkItVi1INXFyTXNfZEJCMWVKYlp3Zk1NcVdIMmVIZEJLMUxTSnFYa1lONlZEQmU4S2Rhb2NhNHVjbG52aksxRXJ2M0sxR2Y2a0dnNDdSWkh4
Hello everyone I’m a beginner in programming who’s been learning on my own through courses but I’ve realized that what I really need is a mentor. Someone kind and knowledgeable who can help me understand the basics of software development and guide me step by step I learn best when I can ask questions, get feedback, and have someone walk through things with me instead of figuring everything out alone. I’m serious about growing, and I’m ready to put in the work. I just need someone who can meet me where I’m at and help me level up. If you’re the kind of person who enjoys teaching, has patience, and wants to see someone grow from the ground up, I’d love to connect. I’m also open to negotiating a fair payment for your time if that’s something you’d like. Let me know if this sounds like something you’d be interested in. Thank you for reading. —B
r/learnprogramming
post
r/learnprogramming
2025-04-23
Z0FBQUFBQm9DbVhRWThRdHFGNzZTQXhReXYxQzhldEFUa1E1MWxJWVo2RXNfTGNUTUFIRUNPZUdWU2JXaW9iVG9yR1BKSVUwNkEtQkh2aDJSbC1BY3lST19iYjRWRHVPaEE9PQ==
Z0FBQUFBQm9DbVhSOGtiXzMyN0dsbTNSYUtNTUh5SnJLQmdRTVl4WEVMVmFYeWNaRUI2bnJnbE1lX2o5dGx2cjg3MnpGSmJ3VjVJYUlpdW9mSXRPcnI2RHBXamVFcWNKWDc2LTBLcHdrOHk3S2lHMnBkdk1EWEtEMzZJLW1xbFZ5M0ZzUDNzWUp2ZHViU2tDcmJtZzdQY3pLOHRXc211a05aUEltSk5XaGhnT2xLMTJ6cjlheUlVQUY4VmZjSWU4akJ4N1E3aUNxX1pOU1JmbDNVRVpCcTY4LWd3aUlKZjkxdz09
Hello, u/Recent-Restaurant-93. Your post has been automatically removed. Currently, you do not meet the karma requirements to post here. This requirement is part of an effort to cut down on spam and excessive self promotion on this sub and maintain a high standard of quality. **Exceptions to this policy will not be made.** You are still welcome to comment on other posts, although they will be reviewed. **Karma farming at subs like "FreeKarma4U" and others of that type in order to bypass the posting requirements may result in being banned from r/opensource.** *I am a bot, and this action was performed automatically. Please [contact the moderators of this subreddit](/message/compose/?to=/r/opensource) if you have any questions or concerns.*
r/opensource
comment
r/opensource
2025-04-23
Z0FBQUFBQm9DbVhRQmFmYWYzdHMxcTRXUU90Y1lZVjBHNm9tbFcyZG1TRDR6Ymo0dTRWdVREWjNOOXBPM0NxbUd0TXE0anNEeGpwdFFaaHFYQ19aSmw4cDUxSUpoN0tPNVE9PQ==
Z0FBQUFBQm9DbVhSaFI1UkNZSjk2QXdYRDdneWFFMExZcDVsYUJ1cnNIcmpXTGRsY1E3VlhWTlUwSmQ2bk9mNTJTdUd3RnNYVlVOZnNOc25PbFRlYXNIbFlYNVU0a1YtemZaSnE2Ri1UdUZVa05jUThyX0g2RndENGVWakFLaFE1eEgxd1BIek42RTdJRk55MDB3Mkl1NThzM3QxNVJoRFNfcVhNcHRBaDdQVGVGblp2aWNhRmhUOXFObEZnTWZzaDVUQm1UWTdmaUpIU3R1c1VDTWtJWktnMXdpSFJzeW9EUT09
PCF is communication layer solution , it's better than DCF, but it will work on low data bandwith. Bottleneck will cause on higher amount of data. Best solution is on physics laws. For sure , for today is not possible to avoid collisions , if you think on current physics laws. But math abstraction is another level , where is all possible.
r/networking
comment
r/networking
2025-04-23
Z0FBQUFBQm9DbVhRZ09GcTh0OVZVbUQ4TTNHbkcwTTBpTHg5YzZhX0ZCR3dBSTRKZjk2TldkQmpGZU9rWFdOa291bjFfaTZRNWRmVEY1VjZHb3QxaVdycnhzWkZJSFN3UE03VlBEa0NIaXhiRFRlT2FaSHBCX009
Z0FBQUFBQm9DbVhSNGctVEtud3Q3MFNQS2lXOHd4MWo3OWh4TVVyMkg4SHl4UEx2Q3J5R2FmUUJSWVBVbGk2N1NkaWxHbVNhOFBITEYzMVlKN3pfdjBnWDYzNGJFcS16UktZQWZiU21TaEJiMXBWRVFVV3FMdDJTZm9JZExGUjN0cVdiSkJmWi1qMTlyV0dMU3c3QS1PTEQ1bVl5VDg2T3A4Z3lFTFFUODQ5TjBwTWRZeEUxWmJkSHJxMlFhakRKeFdiMHNjcm9WTWMw
Backing out after contract Looking for some advice - I signed an offer letter and contract for an independent contractor/freelance position but I have not started yet. However, I just received an offer for a full time position that I interviewed for weeks ago - but have not yet accepted. In addition, I’ve learned that the contractor position might be a bit more time consuming than I originally expected I.e. cutting into my normal working hours. Any advice on the best way to proceed?
r/careerguidance
post
r/careerguidance
2025-04-23
Z0FBQUFBQm9DbVhRc1ZlM0hkZnJIUHEzbVlxcEx1ME1QZE5CTEVpVUlBTXJ0elZnY0VBeEZIQ1BxZkZyQUZCVDlKZFltYWkwenljekJDMDZjaV9aanNSV3VZV3JsNzBSd2c9PQ==
Z0FBQUFBQm9DbVhSdUNEYkRkVi1TNUg0UGU2dnVYNko0R3N0YUxnUTh5Qnp4eVJ6ejJjMDRMdTJHVmV5Y0VORDVpZWszZ0lfSkF2dHFlaHRhWC1PNGh0VHdDUzVIZndaRVRVOXJhcm1nQ0daRDl3UVpBeWEyZGV4ZVZxVXUwaVJiOGg0TDlIdndvM0JKeEFQOWc1cHh5TUxrQy04bXhkblQ5cDhmSVhpODJuZHNZMTYtakViLTNXbkZNdzB3a0VNRV82bUpoUUJPaExQOFVpTUQ3VGtPRUQyNEEtTndlRmpmUT09
Better than LDA but not better than Bertopic. Fasttext embeddings are still one generation behind transformer embeddings when it comes to rich semantic understanding. Hence, Bertopic has a higher chance of performing better in use-cases where you would require deeper semantic understanding for segregation. Ultimately, topic modelling is a glorified clustering task, right?! Also, if you have (by any chance) fine-tuned transformer models for sentence embeddings for your own dataset, you can always plug it in Bertopic. I might be circling around a lot but customisation is really an underrated power in today’s ML-age. If you would ask me to rank, I would say: LDA< Fasttext < Bertopic < GPT/Claude wrappers
r/datascience
comment
r/datascience
2025-04-23
Z0FBQUFBQm9DbVhRLXJqVjduUUJVVmtTaVV0TWR5b2NlY3AtaUR5WENFS0hjdUt6VW9nNm1xUnZ0MV9VWHVxOTdoVUJudGdMRkFKcG9XMVk2WFRGRDh2VDFGTy1Ta2ZIX1E9PQ==
Z0FBQUFBQm9DbVhSdnhIZnlwakNscmxIbnhjZDNwVDFxQ1pQbC1mQS1tN1BMeUtpcGtlanprTFM5VEExWXMyNVBUc3dDMkxGeGJqVkdNdDd6dmFCb3Z1MXJ3ZjdVa3RVN3I2Z1JSUzYwVDE2SmhtYVlkU2NldVNwT0l4cHU4dFg1T1hRa0RKeDQwd3dFb0d4QVV2YXJEd2FLSHc3a24wQk1BaFBxNEpLbzFFVjhyYmYxQWllcVJPZmF2bzdtRGZKeEFPYXAyUTNCQ3Raa2k2UThJR0xWTUs5WFBja3U4UVJUQT09
major trade: Nasdaq futures long + gold futures short secondary trade: QQQ, NVDA and AMD shares wsb is full of randoms nowadays (just like 2022 ) so no need to put any extended explanation, with that being said I'll might add another post with my in-depth analysis of the current market.
r/wallstreetbets
post
r/wallstreetbets
2025-04-23
Z0FBQUFBQm9DbVhRZWFrbkRGSDRTVHRjeWYwQ1daQ0RJUDhFWnBpN181M2NXU3NUQVl5eG55SmdvMFVidUFaVi1pQ0tVRTZIcndQaW1uWGZ0YmtyaDBUUlZ1U0wwb2M1aWc9PQ==
Z0FBQUFBQm9DbVhSMnRoMEJmcllPX3FBQlpQUWIzc2g3NENDYlFrQTBqVWItTUFuOUZyTGM2QlczbmFGbzZNd2V6ek5ON1ZGbVMtSDIzTllibEgwZnU1MUJkU3dZTEZuR1cyeGJvMXBoU0dWMzRYTlpFaVlVN0dZLXdsTmJmczZTNUpjRkktT2g0SmhMSDZ4ZjlpeDNRRkIxVjdGeENzT3I1OTJsbm5rd2o3MHFRZGhqYXFxR1dQUWJEY0xXVU5FN0tyVDJFNXdldzl3