Home New Trending Search
About Privacy Terms
#
#contexts
Posts tagged #contexts on Bluesky

- First the standards need to be those that have impact!
- We need to share place based information accurately and in ways that communities can use as a basis for caring for their location
- we need networked communities that share ideas and methods that work in different #cultures & #contexts

0 0 1 0

Activation sharding for scalable training of large models

Xingzi Xu, Amir Tavanaei, Kavosh Asadi, Karim Bouyarmane

Action editor: Hugo Touvron

https://openreview.net/forum?id=kQCuMcEneq

#memory #sharding #contexts

0 0 0 0
Post image

A tripartite approach to career
A potential career development and research intersectionality of domains, contexts and methods. I am thinking about convergence at www.samyoung.co.nz/2025/10/a-tr...
#career #Career-Dev #contexts #domains #methods

0 0 0 0
Post image

[Перевод] Как защитить Kubernetes на уровне ядра Linux Как защитить Kubernetes, если злоумышленник попытается выбраться ...

#security #contexts #apparmor #seccomp #kubernetes #no-root #containers #linux #namespace #runAsUser #безопасность

Origin | Interest | Match

1 0 0 0
Preview
APSA 2025 Bringing the Sector Back In (BSBI): Multidimensionality of Sectors in the New Political Economy 2025 Annual Meeting of the American Political Science Association BSBI Organizer and Conta...

You are invited: Bringing the Sector Back In "mini-conference" at #APSA2025. We are #IPE #CPE scholars, who study #newpoliticaleconomy w/the leverage of contextualized #comparative #sector approach #global #national #subnational #firm #contexts @apsa.bsky.social bit.ly/apsabsbi

1 0 1 1
Post image

🚨 Paper Alert!🚨

Obligations + challenges + risks + opportunities for successful implementation of #OECMs

1️⃣ adapt international #standards and values to #local #contexts

2️⃣ be #evidence-based + #participative

3️⃣ be #prioritized .

📰 doi.org/10.1002/pan3...

2 2 0 0
Post image

[Перевод] Перестаньте переживать об allowPrivilegeEscalation Многие инженеры теряются в нюансах настройки allowPrivilegeEscalati...

#allowPrivilegeEscalation #поды #kubernetes #security #contexts #контексты #безопасности #setuid #setreuid #привилегированный #контейнер

Origin | Interest | Match

0 0 0 0

"Who am I when I am not helping?”

“What do I want instead, later, when all is calm?”

“What do I notice about myself, and what do others notice, when I am re-weaving with ease, wisdom and a layer of lightness?

Have a great day!

#timetothink #contexts Between Knowing & (not) Doing #procrastination

0 0 0 0

I fear you are right. However that will not change quickly without much #public discussion & a shift in supporting votes. The #ALP also still communicating #hierarchically top down ( same era) rather than networking inclusively across different #contexts to #negotiate effective solutions.
#auspol

0 0 1 0
How to pass the invisible One of the enduring challenges in software programming is this: “How do we pass the invisible?” Loggers, HTTP request contexts, current locales, I/O handles—these pieces of information are needed throughout our programs, yet threading them explicitly through every function parameter would be unbearably verbose. Throughout history, various approaches have emerged to tackle this problem. Dynamic scoping, aspect-oriented programming, context variables, and the latest effect systems… Some represent evolutionary steps in a continuous progression, while others arose independently. Yet we can view all these concepts through a unified lens. ## Dynamic scoping Dynamic scoping, which originated in 1960s Lisp, offered the purest form of solution. “A variable's value is determined not by where it's defined, but by where it's called.” Simple and powerful, yet it fell out of favor in mainstream programming languages after Common Lisp and Perl due to its unpredictability. Though we can still trace its lineage in JavaScript's `this` binding. ;; Common Lisp example - logger bound dynamically (defvar *logger* nil) (defun log-message (message) (when *logger* (funcall *logger* message))) (defun process-user-data (data) (log-message (format nil "Processing user: ~a" data)) ;; actual processing logic… ) (defun main () (let ((*logger* (lambda (msg) (format t "[INFO] ~a~%" msg)))) (process-user-data "john@example.com"))) ; logger passed implicitly ## Aspect-oriented programming AOP structured the core idea of “modularizing cross-cutting concerns.” The philosophy: “Inject context, but with rules.” By separating cross-cutting concerns like logging and transactions into aspects, it maintained dynamic scoping's flexibility while pursuing more predictable behavior. However, debugging difficulties and performance overhead limited its spread beyond Java and .NET ecosystems. // Spring AOP example - logging separated as cross-cutting concern @Aspect public class LoggingAspect { private Logger logger = LoggerFactory.getLogger(LoggingAspect.class); @Around("@annotation(Loggable)") public Object logMethodCall(ProceedingJoinPoint joinPoint) throws Throwable { String methodName = joinPoint.getSignature().getName(); logger.info("Entering method: " + methodName); Object result = joinPoint.proceed(); logger.info("Exiting method: " + methodName); return result; } } @Service public class UserService { @Loggable // logger implicitly injected through aspect public User processUser(String userData) { // actual processing logic… return new User(userData); } } ## Context variables Context variables represent dynamic scoping redesigned for modern requirements—asynchronous and parallel programming. Python's `contextvars` and Java's `ThreadLocal` exemplify this approach. Yet they still suffer from runtime dependency and the fact that API context requirements are only discoverable through documentation. Another manifestation of context variables appears in React's contexts and similar concepts in other UI frameworks. While their usage varies, they all solve the same problem: prop drilling. Implicit propagation through component trees mirrors propagation through function call stacks. # Python contextvars example - custom logger propagated through context from contextvars import ContextVar # Define custom logger function as context variable logger_func = ContextVar('logger_func') def log_info(message): log_fn = logger_func.get() if log_fn: log_fn(f"[INFO] {message}") def process_user_data(data): log_info(f"Processing user: {data}") validate_user_data(data) def validate_user_data(data): log_info(f"Validating user: {data}") # logger implicitly propagated def main(): # Set specific logger function in context def my_logger(msg): print(f"CustomLogger: {msg}") logger_func.set(my_logger) process_user_data("john@example.com") ## Monads Monads approach this from a different starting point. Rather than implicit context passing, monads attempt to encode effects in the type system—addressing a more fundamental problem. The `Reader` monad specifically corresponds to context variables. However, when combining multiple effects through monad transformers, complexity exploded. Developers had to wrestle with unwieldy types like `ReaderT Config (StateT AppState (ExceptT Error IO))`. Layer ordering mattered, each layer required explicit lifting, and usability suffered. Consequently, monadic ideas remained largely confined to serious functional programming languages like Haskell, Scala, and F#. -- Haskell Logger monad example - custom Logger monad definition newtype Logger a = Logger (IO a) instance Functor Logger where fmap f (Logger io) = Logger (fmap f io) instance Applicative Logger where pure = Logger . pure Logger f <*> Logger x = Logger (f <*> x) instance Monad Logger where Logger io >>= f = Logger $ do a <- io let Logger io' = f a io' -- Logging functions logInfo :: String -> Logger () logInfo msg = Logger $ putStrLn $ "[INFO] " ++ msg processUserData :: String -> Logger () processUserData userData = do logInfo $ "Processing user: " ++ userData validateUserData userData validateUserData :: String -> Logger () validateUserData userData = do logInfo $ "Validating user: " ++ userData -- logger passed through monad runLogger :: Logger a -> IO a runLogger (Logger io) = io main :: IO () main = runLogger $ processUserData "john@example.com" ## Effect systems Effect systems emerged to solve the compositional complexity of monads. Implemented in languages like Koka and Eff, they operate through algebraic effects and handlers. Multiple effect layers compose _without ordering constraints_. Multiple overlapping layers require no explicit lifting. Effect handlers aren't fixed—they can be dynamically replaced, offering significant flexibility. However, compiler optimizations remain immature, interoperability with existing ecosystems poses challenges, and the complexity of effect inference and its impact on type systems present ongoing research questions. Effect systems represent the newest approach discussed here, and their limitations will be explored as they gain wider adoption. // Koka effect system example - logging effects flexibly propagated effect logger fun log-info(message: string): () fun log-error(message: string): () fun process-user-data(user-data: string): logger () log-info("Processing user: " ++ user-data) validate-user-data(user-data) fun validate-user-data(user-data: string): logger () log-info("Validating user: " ++ user-data) // logger effect implicitly propagated if user-data == "" then log-error("Invalid user data: empty string") fun main() // Different logger implementations can be chosen dynamically with handler fun log-info(msg) println("[INFO] " ++ msg) fun log-error(msg) println("[ERROR] " ++ msg) process-user-data("john@example.com") * * * The art of passing the invisible—this is the essence shared by all the concepts discussed here, and it will continue to evolve in new forms as an eternal theme in software programming. *[AOP]: aspect-oriented programming
0 0 0 0
The Two Meanings of the Representations of the 1789 French Declaration of Rights
The Two Meanings of the Representations of the 1789 French Declaration of Rights YouTube video by Frank Ejby Poulsen, PhD

I made a video on the 2 #paintings #representing the 1789 #Declaration of the #Rights of #Man and the #Citizen by Le Barbier. I combine #arthistory and #intellectualhistory to analyse their #iconography in #contexts. #French #Revolution #naturalrights #sovereignty #nation.
youtu.be/9wESIPLh7JQ

1 0 0 0
Preview
Meaning Behind the Word: Formalize Formalize means to give something definite form or shape, often by following a structured or established process. It involves making something official, systematic, or organi...

Meaning Behind the Word: Formalize #Formalize #Meaning #Behind #Word #Definition #Examples #Procedure #Agreement #Educational #Application #Contexts #Business #Law #Technology

0 0 0 0
Preview
Contexts: To Cancel or Not to Cancel In Go, the context package provides a mechanism to propagate cancellation signals, deadlines, and...

Goroutine chain shutdown with contexts on @dev.to

dev.to/crusty0gphr/...

#go #golang #contexts

2 1 0 0
Preview
Meaning Behind the Word: Ternion Ternion refers to a group or set of three things or persons, often used in various contexts to denote a trio or triad. Origin The term ternion derives from the concept of the...

Meaning Behind the Word: Ternion #Ternion #Meaning #Group #Set #Three #Persons #Contexts #Trio #Triad #Religion #Philosophy #Legal #Importance #Significance

0 0 0 0
Post image Post image

UTP Conference ended with a panel discussion led by DPA students. The panel sparked a conversation with participants about understanding #Pacific perspectives on Australians and understanding individual and collective #contexts in the region.

@anu-asiapacific.bsky.social @anubellschool.bsky.social

1 2 1 0

Check out my "An Emotional Affair" in this issue of Contexts! It details the concept of relational management, a key behavior men sought in their extramartial affairs.

journals.sagepub.com/doi/epdf/10....

#Sexualityresearch #relationalmanagement #infidelity #cheating #contexts

7 1 2 0
Preview
Meaning Behind the Word: Pam Pam can refer to: Pam (noun): The jack of clubs in loo, a card game played with 5-card hands. Pam (noun): A game similar to napoleon in which the jack of clubs is the highest...

Meaning Behind the Word: Pam #Pam #Meaning #Jack #Clubs #Loo #Card #Game #5 #card #Hands #Napoleon #Highest #Trump #Significance #Contexts

0 0 0 0
Preview
Meaning Behind the Word: Instiller Instiller refers to a person or thing that imparts or infuses something, often with a purposeful influence or impact. Usage In various contexts, instiller can be applied to d...

Meaning Behind the Word: Instiller #Word #Meaning #Instiller #Person #Thing #Imparts #Infuses #Influence #Impact #Contexts #Introducing #Implanting #Instigating #Synonyms

0 0 0 0
Post image

Also, using #MixedMethods #research and an #ImplementationScience #framework is useful for understanding how implementation differs across #contexts. We used PARiHS framework @impresearch.bsky.social 3/

1 0 1 0
Preview
Meaning Behind the Word: Credibility Credibility is a fundamental concept that underlines trustworthiness and reliability in various aspects of life. Definition The term credibility refers to the quality of bein...

Meaning Behind the Word: Credibility #Word #Meaning #Behind #Credibility #Trustworthiness #Reliability #Consistency #Expertise #Transparency #Integrity #Objectivity #Importance #Contexts #Strategy

0 0 0 0

A hard ad campaign:

People are asked what are the #contexts of their times.

"My friend was beaten up for being trans"
"I lost five classmates one day"
"lost my family to a cult"
"I've done nothing to anyone but try to survive, and I'm afraid of my life for it"

That's the context!

0 0 0 0

👉 Start with much more nuanced #contexts to explore, like "person with diagnosed early stage pancreatic cancer, who can access good care, and wants to" or "person taking unpaid short-term care of an adult who is related to them."

0 0 0 0
Post image

Wondering what it looks like to ♻️ your published work into a
#Contexts feature? Check out my recent article in JMF...then find its sexy sidekick in our Summer '23 issue.

👉 contexts.org/blog/qa-with...

@aminghaziani.bsky.social @sethabrutyn.bsky.social

3 1 0 0

Routledge:Religious mind may persist in #secular #contexts when ppl seek meaning in paranormal (even if unsuccesful)

0 0 0 0