Fix NVCC+Clang build failure. …
- Last 7 days
- 
            
github.com github.com
- 
  
- 
            
github.com github.com- 
  """Handles loading of plugins.""" import importlib.util import inspect import json import os import sys import zipfile from pathlib import Path from typing import List from urllib.parse import urlparse from zipimport import zipimporter import yaml import openapi_python_client import requests from auto_gpt_plugin_template import AutoGPTPluginTemplate from openapi_python_client.config import Config as OpenAPIConfig from autogpt.config.config import Config from autogpt.logs import logger from autogpt.models.base_open_ai_plugin import BaseOpenAIPlugin DEFAULT_PLUGINS_CONFIG_FILE = os.path.join( os.path.dirname(os.path.abspath(file)), "..", "..", "plugins_config.yaml" ) class PluginConfig: def init(self, plugin_dict): self.plugin_dict = plugin_dict def is_enabled(self, plugin_name): return self.plugin_dict.get(plugin_name, {}).get('enabled', False) with open(DEFAULT_PLUGINS_CONFIG_FILE, "r") as file: plugins_dict = yaml.safe_load(file) plugins_config = PluginConfig(plugins_dict) def scan_plugins(config: Config, debug: bool = False) -> List[AutoGPTPluginTemplate]: """Scan the plugins directory for plugins and loads them. Args: config (Config): Config instance including plugins config debug (bool, optional): Enable debug logging. Defaults to False. Returns: List[Tuple[str, Path]]: List of plugins. """ loaded_plugins = [] plugins_path_path = Path(config.plugins_dir) # Directory-based plugins for plugin_path in [f.path for f in os.scandir(config.plugins_dir) if f.is_dir()]: if plugin_path.startswith("__"): # Avoid going into __pycache__ or other hidden directories continue plugin_module_path = plugin_path.split(os.path.sep) plugin_module_name = plugin_module_path[-1] qualified_module_name = ".".join(plugin_module_path) __import__(qualified_module_name) plugin = sys.modules[qualified_module_name] if not plugins_config.is_enabled(plugin_module_name): logger.warn(f"Plugin {plugin_module_name} found but not configured") continue for _, class_obj in inspect.getmembers(plugin): if hasattr(class_obj, "_abc_impl") and AutoGPTPluginTemplate in class_obj.__bases__: loaded_plugins.append(class_obj()) return loaded_plugins def inspect_zip_for_modules(zip_path: str, debug: bool = False) -> list[str]: """ Inspect a zipfile for a modules. Args: zip_path (str): Path to the zipfile. debug (bool, optional): Enable debug logging. Defaults to False. Returns: list[str]: The list of module names found or empty list if none were found. """ result = [] with zipfile.ZipFile(zip_path, "r") as zfile: for name in zfile.namelist(): if name.endswith("__init__.py") and not name.startswith("__MACOSX"): logger.debug(f"Found module '{name}' in the zipfile at: {name}") result.append(name) if len(result) == 0: logger.debug(f"Module '__init__.py' not found in the zipfile @ {zip_path}.") return result def write_dict_to_json_file(data: dict, file_path: str) -> None: """ Write a dictionary to a JSON file. Args: data (dict): Dictionary to write. file_path (str): Path to the file. """ with open(file_path, "w") as file: json.dump(data, file, indent=4) def fetch_openai_plugins_manifest_and_spec(config: Config) -> dict: """ Fetch the manifest for a list of OpenAI plugins. Args: urls (List): List of URLs to fetch. Returns: dict: per url dictionary of manifest and spec. """ # TODO add directory scan manifests = {} for url in config.plugins_openai: openai_plugin_client_dir = f"{config.plugins_dir}/openai/{urlparse(url).netloc}" create_directory_if_not_exists(openai_plugin_client_dir) if not os.path.exists(f"{openai_plugin_client_dir}/ai-plugin.json"): try: response = requests.get(f"{url}/.well-known/ai-plugin.json") if response.status_code == 200: manifest = response.json() if manifest["schema_version"] != "v1": logger.warn( f"Unsupported manifest version: {manifest['schem_version']} for {url}" ) continue if manifest["api"]["type"] != "openapi": logger.warn( f"Unsupported API type: {manifest['api']['type']} for {url}" ) continue write_dict_to_json_file( manifest, f"{openai_plugin_client_dir}/ai-plugin.json" ) else: logger.warn( f"Failed to fetch manifest for {url}: {response.status_code}" ) except requests.exceptions.RequestException as e: logger.warn(f"Error while requesting manifest from {url}: {e}") else: logger.info(f"Manifest for {url} already exists") manifest = json.load(open(f"{openai_plugin_client_dir}/ai-plugin.json")) if not os.path.exists(f"{openai_plugin_client_dir}/openapi.json"): openapi_spec = openapi_python_client._get_document( url=manifest["api"]["url"], path=None, timeout=5 ) write_dict_to_json_file( openapi_spec, f"{openai_plugin_client_dir}/openapi.json" ) else: logger.info(f"OpenAPI spec for {url} already exists") openapi_spec = json.load(open(f"{openai_plugin_client_dir}/openapi.json")) manifests[url] = {"manifest": manifest, "openapi_spec": openapi_spec} return manifests def create_directory_if_not_exists(directory_path: str) -> bool: """ Create a directory if it does not exist. Args: directory_path (str): Path to the directory. Returns: bool: True if the directory was created, else False. """ if not os.path.exists(directory_path): try: os.makedirs(directory_path) logger.debug(f"Created directory: {directory_path}") return True except OSError as e: logger.warn(f"Error creating directory {directory_path}: {e}") return False else: logger.info(f"Directory {directory_path} already exists") return True def initialize_openai_plugins( manifests_specs: dict, config: Config, debug: bool = False ) -> dict: """ Initialize OpenAI plugins. Args: manifests_specs (dict): per url dictionary of manifest and spec. config (Config): Config instance including plugins config debug (bool, optional): Enable debug logging. Defaults to False. Returns: dict: per url dictionary of manifest, spec and client. """ openai_plugins_dir = f"{config.plugins_dir}/openai" if create_directory_if_not_exists(openai_plugins_dir): for url, manifest_spec in manifests_specs.items(): openai_plugin_client_dir = f"{openai_plugins_dir}/{urlparse(url).hostname}" _meta_option = (openapi_python_client.MetaType.SETUP,) _config = OpenAPIConfig( **{ "project_name_override": "client", "package_name_override": "client", } ) prev_cwd = Path.cwd() os.chdir(openai_plugin_client_dir) if not os.path.exists("client"): client_results = openapi_python_client.create_new_client( url=manifest_spec["manifest"]["api"]["url"], path=None, meta=_meta_option, config=_config, ) if client_results: logger.warn( f"Error creating OpenAPI client: {client_results[0].header} \n" f" details: {client_results[0].detail}" ) continue spec = importlib.util.spec_from_file_location( "client", "client/client/client.py" ) module = importlib.util.module_from_spec(spec) try: spec.loader.exec_module(module) finally: os.chdir(prev_cwd) client = module.Client(base_url=url) manifest_spec["client"] = client return manifests_specs def instantiate_openai_plugin_clients( manifests_specs_clients: dict, config: Config, debug: bool = False ) -> dict: """ Instantiates BaseOpenAIPlugin instances for each OpenAI plugin. Args: manifests_specs_clients (dict): per url dictionary of manifest, spec and client. config (Config): Config instance including plugins config debug (bool, optional): Enable debug logging. Defaults to False. Returns: plugins (dict): per url dictionary of BaseOpenAIPlugin instances. """ plugins = {} for url, manifest_spec_client in manifests_specs_clients.items(): plugins[url] = BaseOpenAIPlugin(manifest_spec_client) return plugins 
 
- 
  
- Oct 2025
- 
            
github.com github.com- 
  Recommended Fix: 
 
- 
  
- 
            
github.com github.com- 
  Added a null check in autogpt_platform/backend/backend/blocks/dataforseo/related_keywords.py to ensure items is never None before iterating Verified that existing tests still pass after the fix 
 
- 
  
- 
            
github.com github.com- 
  Should be fixed in #2542 just now. Please pull master, check that your .env is up to date with .env.template, try again, and let us know if it's still broken for you. 
- 
  My issue is usually generated by the browse function so im changing this: self.browse_chunk_max_length = int(os.getenv("BROWSE_CHUNK_MAX_LENGTH", 8192)) self.browse_summary_max_token = int(os.getenv("BROWSE_SUMMARY_MAX_TOKEN", 300)) To: self.browse_chunk_max_length = int(os.getenv("BROWSE_CHUNK_MAX_LENGTH", 2192)) self.browse_summary_max_token = int(os.getenv("BROWSE_SUMMARY_MAX_TOKEN", 300)) 
 
- 
  
- 
            
github.com github.com- 
  Looks like you're using Docker? If so, this worked for me: create auto-gpt.json in project root. mount auto-gpt.json with docker run command; e.g.: 
 
- 
  
- 
            
github.com github.com- 
  Results are not written to a file (disappointing ongoing issue) #3583 
 
- 
  
- Sep 2025
- 
            
github.com github.com- 
  #undef signals 
 
- 
  
- 
            
github.com github.com- 
  config["callbacks"] = [*callbacks, mlflow_callback] 
 TagsAnnotatorsURL
- 
  
- Aug 2025
- 
            
github.com github.com- 
  The issue has been resolved. Installing tf-keras and using keras from it instead of tf.keras fixed the problem. Thank you! 
 
- 
  
- Jul 2025
- 
            
developer.nvidia.com developer.nvidia.com- 
  Run a generative AI chatbot on Jetson Orin Nano Super Developer Kit. This chatbot features Ollama with Open WebUI, a widely used, open-source, chatbot server interface that connects to locally running LLMs. deploying Omi - Open WebUI could be used to run a local LLM through API calls on T8 server? 
 
- 
  
- Feb 2025
- 
            
www.science.org www.science.org- 
  Simply choosing a more efficient programming language speeds up this calculation s/more efficient programming language/programming environments with more efficient implementations/ 
 
- 
  
- 
            
mdxjs.com mdxjs.com- 
  Autolinks do not work in MDX. The reason is that they can be indistinguishable from JSX (for example: <svg:rect>) and we prefer being explicit. If you want links, use full links: [descriptive text](https://and-the-link-here.com) 
- 
  The reason for that is so you can nicely indent your components: 
 
- 
  
- Dec 2024
- 
            
www.youtube.com www.youtube.com- 
  fortunately this is perfectly possible within existing company law by taking the concept the properties in law of legal personhood to their fullest extent for - regenerative company - principle 1 of 8 - agency-based instead of ownership-based - implementation - via leveraging full extent of legal personhood Comment - Graham points out an interesting insight, that organisations are given legal personhood status -namely, we test a group of people as a person itself - This reminds me of Michael Levin's Multi Scale Competency Architecture 
 
- 
  
- Nov 2024
- 
            
www.nature.com www.nature.com- 
  A TRUSTworthy repository needs to focus on serving its target user community. Each user community likely has differing expectations from their community repositories, depending in part on the community’s maturity regarding data management and sharing. A TRUSTworthy repository is embedded in its target user community’s data practices, and so can respond to evolving community requirements TRSP Desirable Characteristics 
- 
  TRUSTworthy repositories take responsibility for the stewardship of their data holdings and for serving their user community. TRSP Desirable Characteristics 
 
- 
  
- 
            
www.gida-global.org www.gida-global.org- 
  TRSP Desirable Characteristics Data governance should take into account the potential future use and future harm based on ethical frameworks grounded in the values and principles of the relevant Indigenous community. Metadata should acknowledge the provenance and purpose and any limitations or obligations in secondary use inclusive of issues of consent. 
- 
  TRSP Desirable Characteristics Ethical processes address imbalances in power, resources, and how these affect the expression of Indigenous rights and human rights. Ethical processes must include representation from relevant Indigenous communities 
- 
  TRSP Desirable Characteristics Ethical data are data that do not stigmatise or portray Indigenous Peoples, cultures, or knowledges in terms of deficit. Ethical data are collected and used in ways that align with Indigenous ethical frameworks and with rights affirmed in UNDRIP. Assessing ethical benefits and harms should be done from the perspective of the Indigenous Peoples, nations, or communities to whom the data relate 
- 
  TRSP Desirable Characteristics Resources must be provided to generate data grounded in the languages, worldviews, and lived experiences (including values and principles) of Indigenous Peoples. 
- 
  TRSP Desirable Characteristics Use of Indigenous data invokes a reciprocal responsibility to enhance data literacy within Indigenous communities and to support the development of an Indigenous data workforce and digital infrastructure to enable the creation, collection, management, security, governance, and application of data 
- 
  TRSP Desirable Characteristics Indigenous Peoples have the right to develop cultural governance protocols for Indigenous data and be active leaders in the stewardship of, and access to, Indigenous data especially in the context of Indigenous Knowledge 
- 
  TRSP Desirable Characteristics Indigenous Peoples have the right to data that are relevant to their world views and empower self-determination and effective self-governance. Indigenous data must be made available and accessible to Indigenous nations and communities in order to support Indigenous governance. 
- 
  TRSP Desirable Characteristics Indigenous Peoples have rights and interests in both Indigenous Knowledge and Indigenous data. Indigenous Peoples have collective and individual rights to free, prior, and informed consent in the collection and use of such data, including the development of data policies and protocols for collection. 
- 
  TRSP Desirable Characteristics Indigenous data are grounded in community values, which extend to society at large. Any value created from Indigenous data should benefit Indigenous communities in an equitable manner and contribute to Indigenous aspirations for wellbeing. 
- 
  TRSP Desirable Characteristics Data enrich the planning, implementation, and evaluation processes that support the service and policy needs of Indigenous communities. Data also enable better engagement between citizens, institutions, and governments to improve decision-making. Ethical use of open data has the capacity to improve transparency and decision-making by providing Indigenous nations and communities with a better understanding of their peoples, territories, and resources. It similarly can provide greater insight into third-party policies and programs affecting Indigenous Peoples. 
- 
  TRSP Desirable Characteristics Governments and institutions must actively support the use and reuse of data by Indigenous nations and communities by facilitating the establishment of the foundations for Indigenous innovation, value generation, and the promotion of local self-determined development processes 
- 
  TRSP Desirable Characteristics Indigenous Peoples’ rights and wellbeing should be the primary concern. 
- 
  TRSP Desirable Characteristics Data ecosystems shall be designed and function in ways that enable Indigenous Peoples to derive benefit from the data. 
- 
  TRSP Desirable Characteristics Indigenous Peoples’ rights and interests in Indigenous data must be recognised and their authority to control such data be empowered. Indigenous data governance enables Indigenous Peoples and governing bodies to determine how Indigenous Peoples, as well as Indigenous lands, territories, resources, knowledges and geographical indicators, are represented and identified within data. 
- 
  TRSP Desirable Characteristics Those working with Indigenous data have a responsibility to share how those data are used to support Indigenous Peoples’ self determination and collective benefit. Accountability requires meaningful and openly available evidence of these efforts and the benefits accruing to Indigenous Peoples. 
 
- 
  
- Sep 2024
- 
            
bugs.ruby-lang.org bugs.ruby-lang.org- 
  Sure, it is not needed, we can always write things in a different way. As a matter of fact, with such an argument, hardly any improvement should be accepted. 
 
- 
  
- Apr 2024
- 
            
arxiv.org arxiv.org- 
  Composing Implementations Any correctimplementationcan be composed with any other (compatible)correctimplementation, and it is guaranteed to becorrect.
- 
  This implies that any correct run of the imple-mentation that stutters indefinitely has infinitely many opportunities to activatethe specification. Under the standard assumption that an opportunity that ispresented infinitely often is eventually seized, a live implementation does notdeadlock as it eventually activates the specification. 
- 
  Live I.e., there is a possible further computation from ytoy', as well as fromsigma(y)tosigma(y').I.e., from any TS' computable mapped state ythere is a computable mapped statey'.
- 
  Complete Any compute in a TS can be performed in an implementing TS TS'. I.e., any compute in TS maps to compute in TS'. I.e., any TS compute is translatable to TS' 
- 
  Safe I.e., any compute in an implementing TS TS' can be performed in TS. I.e., any compute in TS' maps to compute in TS. I.e., any TS' compute is translatable to TS. 
- 
  An implementation is correct if it is safe, complete and live. 
- 
  Given two transition systems T S = (S, s0, T ) and T S′ = (S′, s′0, T ′) an im-plementation of T S by T S′ is a function σ : S′ → S where σ(s′0) = s0. 
 
- 
  
- Mar 2024
- 
            
softwareengineering.stackexchange.com softwareengineering.stackexchange.com- 
  Don't worry about performance too early though - it's more important to get the design right, and "right" in this case means using the database the way a database is meant to be used, as a transactional system. 
 
- 
  
- Jan 2024
- 
            
www.theguardian.com www.theguardian.com- 
  Die EU hat 2023 durch die Verbrennung von fossilen Brennstoffen 8% weniger CO<sub>2</sub> emittiert als 2022. Damit liegen diese Emissionen wieder auf dem Niveau der 60er Jahre. Um die Klimaziele der EU zu erreichen, müssen die Emissionen noch schneller reduziert werden. Das European Advisory Board on Climate Change hat dazu in der vergangenen Woche eine Reihe von Vorschlägen gemacht. https://www.theguardian.com/environment/2024/jan/24/eu-fossil-fuel-co2-emissions-hit-60-year-low 
 Tags- Ember
- Isaac Levi
- Ottmar Edenhofer
- fossil emissions
- European green deal
- time: 2023
- Sarah Brown
- process: decarbonization
- energy transition
- Research on Energy and Clean Air (Crea)
- Focus on immediate implementation and continued action to achieve EU climate goals
- 2024-01-24
- European Scientific Advisory Board on Climate Change
- EU
 AnnotatorsURL
- 
  
- Dec 2023
- 
            
sonec.org sonec.org- 
  SoNeC-FacilitatorNeighbourhood OrganiserCircle member in chargeNeighbours - 
for SoNeC - implentation roles, neighbourhood organization - SoNeC, community organization - SoNeC 
- 
description: Implementation roles - Facilitator
- Neighbourhood organizer
- Circle member in charge
- Neighbours
 
 
- 
 
- 
  
- Nov 2023
- 
            
TagsAnnotatorsURL
- 
  
- Oct 2023
- 
            
faircore4eosc.eu faircore4eosc.eu
- Sep 2023
- 
            
stackoverflow.com stackoverflow.com- 
  I want the fact that my collection is lazy to be an implementation detail. 
 
- 
  
- Aug 2023
- 
            
www.rd-alliance.org www.rd-alliance.org- 
  Generalist repositorie 
 
- 
  
- Jun 2023
- Mar 2023
- 
            
slejournal.springeropen.com slejournal.springeropen.com- 
  linkages between rhetoric and practice still need to be further explored I think even with putting things into practice, there's a difference between OEP that has been implemented well and OEP that has not been implemented properly (yet!). I briefly had a conversation with a faculty member recently about student-created question banks and he was of the opinion that he tried it, it went poorly, and so all those OEP ideas are just empty words. I don't think he scaffolded the expectations properly nor train students on what makes a good question, but I acknowledge that there is a big gap between what we want to implement and what actually happens in the classroom. 
 
- 
  
- Dec 2022
- 
            
docs.docker.com docs.docker.com- 
  Introduction of the Compose specification makes a clean distinction between the Compose YAML file model and the docker-compose implementation. 
 
- 
  
- Oct 2022
- 
            
bugs.ruby-lang.org bugs.ruby-lang.org- 
  Current ruby releases generate *.tar.gz, *.tar.bz2, *.tar.xz, and *.zip. But I think we can stop generating *.tar.bz2. I think *.tar.bz2 are less merit. For better size, *.tar.xz exist. For better compatibility, *.tar.gz and *.zip exist. 
 
- 
  
- 
            
vaarweginformatie.nl vaarweginformatie.nl- 
  Rijkswaterstaat beheert de zogenoemde FIS VNDS-database, waarin kenmerken van alle vaarwegen zijn opgenomen, zoals bijvoorbeeld de breedte van de vaarweg, bedientijden of de afmetingen van een sluis. Deze database bevat dus ook informatie van andere vaarwegbeheerders. ENC’s worden gemaakt en aangeleverd door de betreffende vaarwegbeheerder. Zijn dit de 2(?) bronnen voor de EUHVDL mobiliteit? RWS' FIS VNDS en de ENCs van RWS, provincies en waterschappen. Meen me te herinneren in FRL dat prov data was ondergebracht in die van RWS. Dingens als profielen en brugtijden zouden mogelijk al in de ENCs zijn opgenomen. NB rijk, provincie en waterschappen zijn allen vaarwegbeheerders, dus decentraal geregeld. 
 TagsAnnotatorsURL
- 
  
- 
            
catgirl.ai catgirl.ai- 
  before that the support for parsing JSON in C was essential for using LSP servers NB: the requirement wasn't actually "parsing JSON in C"; it's that for the JSON parsing the machine ultimately executes the same (or similar) instructions that it does when the JSON parsing is written in C and that C is compiled with GCC. 
 
- 
  
- Sep 2022
- 
            
r-lang.com r-lang.com- 
  The S language is often the driver programming language for research in statistical methodology, and R gives an Open Source route to participation in that activity. 
 
- 
  
- 
            
en.wikipedia.org en.wikipedia.org- 
  The modern implementation of S is R 
 
- 
  
- Aug 2022
- 
            
dercuano.github.io dercuano.github.io- 
  The idea here is to emulate the hardware platform WordPerfect ran on That seems like unnecessarily tight coupling. Surely there's a better level of abstraction that's higher than "emulate the hardware platform". 
 
- 
  
- 
            
news.ycombinator.com news.ycombinator.com- 
  I avoided using languages that I don't know how to bootstrap like node.js There's a weird (read: "weirdly obvious") category error here. NodeJS is not a language. (This wouldn't be so notable if the comment didn't go on to say "The key point is writing to an interface and not an implementation.") The puzzle piece that fits the shape of the hole here is "JS". JS is the language, NodeJS is one of its implementations—and chubot knew both of these things already, so it's odd that it was expressed this way. Plus, there's a lot more diversity of JS implementations than exist for e.g. Python... 
 
- 
  
- 
            
- 
  Typography in HTML is awful A similar mistake is being made here as the one that precedes the reminder that there is no such thing as a fast programming language—only a given implementation can be called fast. 
 TagsAnnotatorsURL
- 
  
- Jul 2022
- 
            
github.com github.com- 
  Interestingly, Rails doesn't see this in their test suite because they set this value during setup: 
 
- 
  
- Feb 2022
- 
            
github.com github.com- 
  Note that this is a reference implementation and, most likely, should be modified for your own usage. 
 
- 
  
- Jan 2022
- 
            
store.steampowered.com store.steampowered.com- 
  Your character feels nigh impossible to control - you move very very fast, but if youre in the air, you dont stop moving the moment you stop holding a direction, so you have to constantly cancel out your momentum to stop, but if you dont do it perfectly you suddenly fly in the other direction 
 
- 
  
- Dec 2021
- 
            
www.chris-granger.com www.chris-granger.com- 
  Most of the descriptions I’ve seen focus on mechanisms - block chains, smart contracts, tokens, etc - but I would argue those are implementation details and some are much more likely to succeed than others. (E.g. I think using private keys for authentication/authorization is obviously better if you can get over the UX hump - SSH has shown us that for decades.) Most descriptions of Web3 focus on mechanisms — blockchains, smart contracts, etc — but those are implementation details. 
 
- 
  
- Nov 2021
- 
            
link.springer.com link.springer.com
- 
            
www.varvet.com www.varvet.com- 
  I am firmly convinced that asserting on the state of the interface is in every way superior to asserting on the state of your model objects in a full-stack test. 
- 
  so let me explain why this decision was reached and what your options are for the future. 
- 
  wait_until was removed for several reasons: 
 Tags- breaking change
- testing: end-to-end
- Capybara
- good explanation
- testing: avoid testing implementation details
- testing: philosohy of testing
- testing: tests should resemble the way your software is used
- rationale for implementation choices
- better/superior solution/way to do something
 AnnotatorsURL
- 
  
- Oct 2021
- 
            
www.kylehq.com www.kylehq.com- 
  QueueStore 
- 
  export interface QueueInterface { count(): number; dequeue?(): any; enqueue(...args: any): void; flush(): any[]; reset(): void; setFifo(fifo: boolean): void; setLifo(lifo: boolean): void; truncate(length: number): void; } export class queue { protected elements: any[]; protected fifo = true; constructor(…args: any) { this.elements = […args]; } count() { return this.elements.length; } dequeue?(): any { if (this.fifo) { return this.elements.shift(); } return this.elements.pop(); } enqueue(…args: any) { return this.elements.push(…args); } // Like dequeue but will flush all queued elements flush(): any[] { let elms = []; while (this.count()) { elms.push(this.dequeue()); } return elms; } setFifo(fifo = true) { this.fifo = fifo; } setLifo(lifo = true) { this.fifo = !lifo; } reset(): void { this.truncate(0); } truncate(length: number) { if (Number.isInteger(length) && length > -1) { this.elements.length = length; } } } export default queue; 
 
- 
  
- Sep 2021
- 
            
www.canlii.org www.canlii.org- 
  2019, c. 29, s. 301 Budget Implementation Act, 2019, No. 1, SC 2019, c 29, https://canlii.ca/t/5430b, s. 301, added to the "Objectives" section at s. 3(1): "(f.1) to maintain, through the establishment of fair and efficient procedures, the integrity of the Canadian immigration system;" 
 
- 
  
- 
            
- 
  Update API usage of the view helpers by changing javascript_packs_with_chunks_tag and stylesheet_packs_with_chunks_tag to javascript_pack_tag and stylesheet_pack_tag. Ensure that your layouts and views will only have at most one call to javascript_pack_tag or stylesheet_pack_tag. You can now pass multiple bundles to these view helper methods. Good move. Rather than having 2 different methods, and requiring people to "go out of their way" to "opt in" to using chunks by using the longer-named javascript_packs_with_chunks_tag, they changed it to just use chunks by default, out of the box.Now they don't need 2 similar but separate methods that do nearly the same, which makes things simpler and easier to understand (no longer have to stop and ask oneself, which one should I use? what's the difference?). You can't get it "wrong" now because there's only one option. And by switching that method to use the shorter name, it makes it clearer that that is the usual/common/recommended way to go. 
 
- 
  
- Aug 2021
- 
            
www.microsoft.com www.microsoft.com- 
  Their first step was to spend several weeks watching their customers 
 
- 
  
- 
            
www.ruby-lang.org www.ruby-lang.org- 
  The automatic conversion not only confuses people but also makes the method less extensible. See [Feature #14183] for more details about the reasons for the change in behavior, and why certain implementation choices were made. 
 
- 
  
- Jun 2021
- 
            
www.mutuallyhuman.com www.mutuallyhuman.com- 
  For me the diagrams make it easier to talk about what the tests do without getting bogged down by how they do it. 
 Tags- focus on what it should do, not on how it should do it (implementation details; software design)
- communication: use the right level of detail
- describe the what without getting bogged down by how (implementation details; too detailed)
- communication: effective communication
- too detailed
- communication: focus on what is important
 AnnotatorsURL
- 
  
- 
            
docs.gitlab.com docs.gitlab.com- 
  Do not test the internal implementation of the child components: 
 
- 
  
- May 2021
- 
            
rs-delve.github.io rs-delve.github.io- 
  Initiative, T. D. (2020). SARS-CoV-2 Vaccine Development & Implementation; Scenarios, Options, Key Decisions. https://rs-delve.github.io/reports/2020/10/01/covid19-vaccination-report.html 
 
- 
  
- Apr 2021
- 
            
psyarxiv.com psyarxiv.com- 
  Ebrahimi, O. V., Johnson, M. S., Ebling, S., Amundsen, O. M., Halsøy, Ø., Hoffart, A., … Johnson, S. U. (2021, April 25). Risk, Trust, and Flawed Assumptions: Vaccine Hesitancy During the COVID-19 Pandemic. https://doi.org/10.31234/osf.io/57pwf 
 
- 
  
- 
            
store.steampowered.com store.steampowered.com- 
  This might be exciting if the photography was better, but as it is, it's a simple concept cheaply implemented. 
 
- 
  
- Mar 2021
- 
            
en.wikipedia.org en.wikipedia.org- 
  Tree (data structure) 
 
- 
  
- 
            
store.steampowered.com store.steampowered.com
- 
            
tobeagile.com tobeagile.com- 
  Conversely, red tests are tests I write after the code is written to lock down some implementation. 
 
- 
  
- 
            
trailblazer.to trailblazer.to- 
  There’s no need to test controllers, models, service objects, etc. in isolation 
 Tags- testing: avoid unnecessarily testing things in too much isolation, in a different way than the code is actually used (should match production)
- unnecessary
- isolation (programming)
- testing: tests should resemble the way your software is used
- testing: avoid testing implementation details
 AnnotatorsURL
- 
  
- Feb 2021
- 
            
github.com github.com- 
  now that I realize how easy it is to just manually include this in my app: <%= javascript_include_tag 'xray', nonce: true if Rails.env.development? %> I regret even wasting my time getting it to automatically look for and add a nonce to the auto-injected xray.js script 
 Tags- fix design/API mistakes as early as you can (since it will be more difficult to correct it and make a breaking change later)
- removing features to simplify implementation
- removing feature that is more trouble than it's worth (not worth the effort to continue to maintain / fix bugs caused by keeping it)
- wasted effort
- removing legacy/deprecated things
- regret
 AnnotatorsURL
- 
  
- 
            
github.com github.com- 
  Trailblazer offers you a new, more intuitive file layout in applications. 
- 
  Instead of grouping by technology, classes and views are structured by concept, and then by technology. A concept can relate to a model, or can be a completely abstract concern such as invoicing. 
- 
  Concepts over Technology 
- 
  While Trailblazer offers you abstraction layers for all aspects of Ruby On Rails, it does not missionize you. Wherever you want, you may fall back to the "Rails Way" with fat models, monolithic controllers, global helpers, etc. This is not a bad thing, but allows you to step-wise introduce Trailblazer's encapsulation in your app without having to rewrite it. 
 Tags- focus on what it should do, not on how it should do it (implementation details; software design)
- leaving the details of implementation/integration up to you
- software development: organization of files: by component rather than by file type
- focus on concepts/design/structure instead of specific/concrete technology/implementation
- abstractions
- freedom of user to override specific decision of an authority/vendor (software)
- Trailblazer
- making changes / switching/migrating gradually/incrementally/step-wise/iteratively
- allowing developer/user to pick and choose which pieces to use (allowing use with competing libraries; not being too opinionated; not forcing recommended way on you)
- newer/better ways of doing things
- rails: the Rails way
- software development: organization of files
 AnnotatorsURL
- 
  
- 
            
github.com github.com- 
  It's an implementation of the command pattern in Ruby. 
 
- 
  
- 
            
softwareengineering.stackexchange.com softwareengineering.stackexchange.com- 
  The more important point comes from a program design perspective. Here, "programming to an interface" means focusing your design on what the code is doing, not how it does it. This is a vital distinction that pushes your design towards correctness and flexibility. 
- 
  If the program was important enough, Microsoft might actually go ahead and add some hack to their implementation so the the program would continue to work, but the cost of that is increased complexity (with all the ensuing problems) of the Windows code. It also makes life extra-hard for the Wine people, because they try to implement the WinAPI as well, but they can only refer to the documentation for how to do this, which leads to many programs not working as they should because they (accidentally or intentionally) rely on some implementation detail. 
 
- 
  
- 
            
www.metacritic.com www.metacritic.com- 
  The press will tell you that "the concept" is great but the execution is bad. What should I tell you? The experience is shallow. The game is mediocre. But listen carefully, when a game is mediocre and can't even make you feel something then it's the worst kind of gaming. I will give it a 4 out of 10. You know, if this was a test in a school then this game should be marked D (someone answered a few questions, but overall missed the point). I understand that many people care about the "concept" of this game, but why if the experience is just... not here. I'm talking about the experience becaus We. The Revolution tried to be an actual experience. And it fails so badly. 
 
- 
  
- Dec 2020
- 
            
www.nature.com www.nature.com- 
  Allen. W. E. (2020) Population-scale longitudinal mapping of COVID-19 symptoms, behaviour and testing. Nature human behaviour. Retrieved from: https://www.nature.com/articles/s41562-020-00944-2?utm_source=feedburner&utm_medium=feed&utm_campaign=Feed%3A+nathumbehav%2Frss%2Fcurrent+%28Nature+Human+Behaviour%29 
 
- 
  
- 
            
github.com github.com- 
  I don't think this is what really matters at the end, since whatever is the implementation the goal should be to provide a library that people actually like to use. 
 
- 
  
- Nov 2020
- 
            
www.reddit.com www.reddit.com- 
  I'm not familiar with Svelte. But the UI itself is handled in a custom canvas on mobile (and probably Desktop?) Though, on the web, it is HTML and CSS. 
 
- 
  
- 
            
github.com github.com- 
  This decorators proposal deliberately omits these features, in order to keep the meaning of decorators "well-scoped" and intuitive, and to simplify implementations, both in transpilers and native engines. 
- 
  However, this coalescing was very complicated, both in the specification and implementations, due to the dynamism of computed property names for accessors. Coalescing was a big source of overhead (e.g., in terms of code size) in polyfill implementations of "Stage 2" decorators. 
 
- 
  
- 
            
github.com github.com- 
  There are a few intentional behavioral differences between Dart Sass and Ruby Sass. These are generally places where Ruby Sass has an undesired behavior, and it's substantially easier to implement the correct behavior than it would be to implement compatible behavior. These should all have tracking bugs against Ruby Sass to update the reference behavior. 
- 
  Dart Sass has replaced Ruby Sass as the canonical implementation of the Sass language. 
- 
  
 Tags- intentional
- get back on course
- Dart
- dart-sass
- reverting a previous decision/change/commit
- replacement for:
- reference implementation
- don't let previous decisions/work constrain you
- canonical implementation
- intentional/well-considered decisions
- Ruby
- intentionally doing it differently / _not_ emulating/copying the way someone else did it
- reversible decisions
- learn from your mistakes
- Sass
 AnnotatorsURL
- 
  
- 
            
- 
  Dart Sass is the primary implementation of Sass, which means it gets new features before any other implementation. It’s fast, easy to install, and it compiles to pure JavaScript which makes it easy to integrate into modern web development workflows. 
 
- 
  
- 
            
en.wikipedia.org en.wikipedia.org- 
  The freedesktop.org project also developed a free and open-source software library called libdbus, as a reference implementation of the specification. This library should not be confused with D-Bus itself, as other implementations of the D-Bus specification also exist 
 TagsAnnotatorsURL
- 
  
- Oct 2020
- 
            
- 
  Typically, platform accessibility APIs do not provide a vehicle to notify assistive technologies of a role value change, and consequently, assistive technologies may not update their cache with the new role attribute value. It's too bad they couldn't just allow role to be changed, and assistive technologies would just have to be updated to follow the suit. 
 
- 
  
- 
            
erj.ersjournals.com erj.ersjournals.com- 
  Martin, G. P., Sperrin, M., & Sotgiu, G. (2020). Performance of Prediction Models for Covid-19: The Caudine Forks of the External Validation. European Respiratory Journal. https://doi.org/10.1183/13993003.03728-2020 
 
- 
  
- 
            
- 
  One of the primary tasks of engineers is to minimize complexity. JSX changes such a fundamental part (syntax and semantics of the language) that the complexity bubbles up to everything it touches. Pretty much every pipeline tool I've had to work with has become far more complex than necessary because of JSX. It affects AST parsers, it affects linters, it affects code coverage, it affects build systems. That tons and tons of additional code that I now need to wade through and mentally parse and ignore whenever I need to debug or want to contribute to a library that adds JSX support. 
 Tags- the cost of changing something
- complexity
- engineers
- too complicated
- high-cost changes
- avoid complexity
- for-reaching consequences
- syntax
- semantics (of programming language)
- infectious problem
- engineering (general)
- mentally filter/ignore
- unintended consequence
- primary task/job/responsibility
- fundamental
- implementation complexity
- can't keep entire system in your mind at once (software development) (scope too large)
- mental bandwidth
 AnnotatorsURL
- 
  
- 
            
en.wikipedia.org en.wikipedia.org- 
  Maybe not technically a reference implementation. Maybe original implementation is a better term for this. 
 
- 
  
- 
            
en.wikipedia.org en.wikipedia.org- 
  BitTorrent is a peer-to-peer (P2P) communications protocol for file sharing. It may also refer to: BitTorrent (company), a company which develops and maintains the BitTorrent protocol BitTorrent (software), the original BitTorrent client 
 
- 
  
- 
            
www.bittorrent.com www.bittorrent.comTagsAnnotatorsURL
- 
  
- 
            
github.com github.com- 
  It causes some implementation complexity just by existing. 
 
- 
  
- Sep 2020
- 
            
stackoverflow.com stackoverflow.com- 
  I used a "specific function". But maybe it could be done within a derived store. A kind of auto reset on ... But I think there is no elagant solution, so I stick with the specific function. 
 
- 
  
- 
            
psyarxiv.com psyarxiv.com- 
  Kekecs, Z., Szaszi, B., & Aczel, B. (2020). ECO, an expert consensus procedure for developing robust scientific outputs [Preprint]. PsyArXiv. https://doi.org/10.31234/osf.io/9gqru 
 
- 
  
- 
            
github.com github.com- 
  The feature is highly likely to be implemented, the API and implementation are the only real topics of discussion right now. 
 
- 
  
- 
            
github.com github.com- 
  Please focus on explaining the motivation so that if this RFC is not accepted, the motivation could be used to develop alternative solutions. In other words, enumerate the constraints you are trying to solve without coupling them too closely to the solution you have in mind. 
- 
  A huge part of the value on an RFC is defining the problem clearly, collecting use cases, showing how others have solved a problem, etc. 
- 
  An RFC can provide tremendous value without the design described in it being accepted. 
 Tags- okay for proposal to not be accepted
- defining the problem clearly
- iterative process: building on previous attempts/work
- value
- contribution guidelines: should explain motivation for change
- defining the problem clearly is as valuable coming up with specific implementation/solution
- answer the "why?"
- iterative process
 AnnotatorsURL
- 
  
- 
            
stackoverflow.com stackoverflow.com- 
  However, that in-memory representation is not tied directly to the DOM in the browser (even though it is called Virtual DOM, which is an unfortunate and confusing name for an universal apps framework), and it is just a DOM-like data-structure that represents all the UI components hierarchy and additional meta-data. Virtual DOM is just an implementation detail. 
 
- 
  
- Aug 2020
- 
            
www.nature.com www.nature.com- 
  Zheng, Q., Jones, F. K., Leavitt, S. V., Ung, L., Labrique, A. B., Peters, D. H., Lee, E. C., & Azman, A. S. (2020). HIT-COVID, a global database tracking public health interventions to COVID-19. Scientific Data, 7(1), 286. https://doi.org/10.1038/s41597-020-00610-2 
 
- 
  
- 
            
- 
  Althouse, B. M., Wallace, B., Case, B., Scarpino, S. V., Berdahl, A. M., White, E. R., & Hebert-Dufresne, L. (2020). The unintended consequences of inconsistent pandemic control policies. ArXiv:2008.09629 [Physics, q-Bio]. http://arxiv.org/abs/2008.09629 
 
- 
  
- 
            
www.nber.org www.nber.org- 
  Clay, K., Lewis, J. A., Severnini, E. R., & Wang, X. (2020). The Value of Health Insurance during a Crisis: Effects of Medicaid Implementation on Pandemic Influenza Mortality (Working Paper No. 27120; Working Paper Series). National Bureau of Economic Research. https://doi.org/10.3386/w27120 
 
- 
  
- 
            
psyarxiv.com psyarxiv.com- 
  Paris, Marseille named as high-risk COVID zones, making curbs likelier. (2020, August 14). Reuters. https://uk.reuters.com/article/uk-health-coronavirus-france-idUKKCN25A0LC 
 
- 
  
- Jul 2020
- 
            
rails.lighthouseapp.com rails.lighthouseapp.com- 
  It would be nice if the tests weren't so implementation specific, but rather tested the essence of the functionality. I tried to make them less brittle but failed. To that end, re-writing all the tests in rspec would be (IMHO) a brilliant improvement and pave the way for better tests in the future and more flexibility in implementation. 
 
- 
  
- 
            
osf.io osf.io- 
  Ivanov, S., Webster, C., Stoilova, E., & Slobodskoy, D. (2020). Biosecurity, automation technologies and economic resilience of travel, tourism and hospitality companies [Preprint]. SocArXiv. https://doi.org/10.31235/osf.io/2hx6f 
 
- 
  
- 
            
osf.io osf.io- 
  Starominski-Uehara, M. (2020). Governance in Crisis: Institutionalizing Reflective Report to Guide Decision Making Under Uncertainty [Preprint]. SocArXiv. https://doi.org/10.31235/osf.io/y3nsa 
 
- 
  
- 
            
- 
  halperin, daniel. (2020). The Covid-19 Lockdown “Natural Experiment” That Has Already Been Conducted [Preprint]. SocArXiv. https://doi.org/10.31235/osf.io/jzhe2 
 
- 
  
- 
            
osf.io osf.io- 
  Shama, S., & Ikbal, J. (2020). EDUCATION DURING A PANDEMIC: A feasibility study of online classes in Bangladesh to counteract potential study gaps caused by COVID-19 related lockdowns [Preprint]. SocArXiv. https://doi.org/10.31235/osf.io/p6mws 
 
- 
  
- 
            
- 
  Du, H., Jiang, G., & Ke, Z. (2020). A Bootstrap Based Between-Study Heterogeneity Test in Meta-Analysis [Preprint]. PsyArXiv. https://doi.org/10.31234/osf.io/de4g9 
 
- 
  
- Jun 2020
- 
            
psyarxiv.com psyarxiv.com- 
  Maier, M., Bartoš, F., & Wagenmakers, E.-J. (2020). Robust Bayesian Meta-Analysis: Addressing Publication Bias with Model-Averaging [Preprint]. PsyArXiv. https://doi.org/10.31234/osf.io/u4cns 
 
- 
  
- 
            
psyarxiv.com psyarxiv.com- 
  Lunn, P. D., Timmons, S., Julienne, H., Belton, C., Barjaková, M., Lavin, C., & McGowan, F. P. (2020). Using Decision Aids to Support Self-Isolation During the COVID-19 Pandemic [Preprint]. PsyArXiv. https://doi.org/10.31234/osf.io/fngx5 
 
- 
  
- 
            
www.thelancet.com www.thelancet.com- 
  Ioannidis, J. P. A., Greenland, S., Hlatky, M. A., Khoury, M. J., Macleod, M. R., Moher, D., Schulz, K. F., & Tibshirani, R. (2014). Increasing value and reducing waste in research design, conduct, and analysis. The Lancet, 383(9912), 166–175. https://doi.org/10.1016/S0140-6736(13)62227-8 
 
- 
  
- 
            
psyarxiv.com psyarxiv.com- 
  Soicher, R. N., & Becker-Blease, K. A. (2020). Utility value interventions: Why and how instructors should use them in college psychology courses. [Preprint]. PsyArXiv. https://doi.org/10.31234/osf.io/qwmzj 
 
- 
  
- May 2020
- 
            
www.tandfonline.com www.tandfonline.com- 
  Bostrom, A., Böhm, G., O’Connor, R. E., Hanss, D., Bodi-Fernandez, O., & Halder, P. (2020). Comparative risk science for the coronavirus pandemic. Journal of Risk Research, 0(0), 1–10. https://doi.org/10.1080/13669877.2020.1756384 
 
- 
  
- 
            
www.thelancet.com www.thelancet.com- 
  Mbopi-Keou, F.-X., Pondi, J.-E., & Sosso, M. A. (2020). COVID-19 in Cameroon: A crucial equation to resolve. The Lancet Infectious Diseases, 0(0). https://doi.org/10.1016/S1473-3099(20)30373-X 
 
- 
  
- 
            
arxiv.org arxiv.org- 
  Nguyen, C. T., Saputra, Y. M., Van Huynh, N., Nguyen, N.-T., Khoa, T. V., Tuan, B. M., Nguyen, D. N., Hoang, D. T., Vu, T. X., Dutkiewicz, E., Chatzinotas, S., & Ottersten, B. (2020). Enabling and Emerging Technologies for Social Distancing: A Comprehensive Survey. ArXiv:2005.02816 [Physics]. http://arxiv.org/abs/2005.02816 
 
- 
  
- Apr 2020
- 
            
psyarxiv.com psyarxiv.com- 
  Tarbox, C., Silverman, E. A., Chastain, A. N., Little, A., Bermudez, T. L., & Tarbox, J. (2020, April 30). Taking ACTion: 18 Simple Strategies for Supporting Children with Autism During the COVID-19 Pandemic. Retrieved from psyarxiv.com/96whj 
 
- 
  
- 
            
github.com github.com- 
  The aim of this list is to document all Markdown syntax variations (rather than implementations). 
 
- 
  
- 
            
github.com github.com
- 
            
marlin-prod.literatumonline.com marlin-prod.literatumonline.com- 
  Liao, H., Zhang, L., Marley, G., Tang, W. (2020). Differentiating COVID-19 response strategies. University of North Carolina Project-China. DOI: 10.1016/j.xinn.2020.04.003 
 
- 
  
- 
            
github.com github.com- 
  Devise-Two-Factor only worries about the backend, leaving the details of the integration up to you. This means that you're responsible for building the UI that drives the gem. While there is an example Rails application included in the gem, it is important to remember that this gem is intentionally very open-ended, and you should build a user experience which fits your individual application. 
 
- 
  
- Nov 2019
- 
            
courses.kpu.ca courses.kpu.ca- 
  public money isnot used to create or perpetuate disability-related barriers, and regarding training of front-linepersonnel. This component of the Bill may help other disciplines other than our own to take this seriously. 
 
- 
  
- 
            
kentcdodds.com kentcdodds.com- 
  it doesn't even render in-file components. For example, the <Fade /> component we have above is an implementation detail of the <HiddenMessage /> component, but because we're shallow rendering <Fade /> isn't rendered so changes to that component could break our application but not our test. That's a major issue in my mind and is evidence to me that we're testing implementation details. 
- 
  The reason this kind of test fails those considerations is because it's testing irrelevant implementation details. The user doesn't care one bit what things are called. In fact, that test doesn't even verify that the message is hidden properly when the show state is false or shown when the show state is true. So not only does the test not do a great job keeping us safe from breakages, it's also flakey and doesn't actually test the reason the component exists in the first place. 
- 
  I could rename toggle to handleButtonClick (and update the corresponding onClick reference). My test breaks despite this being a refactor. 
- 
  I could mistakenly set onClick of the button to this.tgogle instead of this.toggle. My test continues to work, but my component is broken. 
- 
  Will this test break when there's a mistake that would break the component in production?Will this test continue to work when there's a fully backward compatible refactor of the component? 
 
- 
  
- 
            
kentcdodds.com kentcdodds.com- 
  
- 
  Why is testing implementation details bad?There are two distinct reasons that it's important to avoid testing implementation details. Tests which test implementation details:Can break when you refactor application code. False negativesMay not fail when you break application code. False positives 
 
- 
  
- 
            
kentcdodds.com kentcdodds.com- 
  But far too often, I see tests which are testing implementation details (read this before continuing if you haven't already). When you do this, you introduce a third user. The developer user and the end user are really all that matters for this component. So long as it serves those two, then it has a reason to exist. And when you're maintaining the component you need to keep those two users in mind to make sure that if you break the contract with them, you do something to handle that change.But as soon as you start testing things which your developer user and end user don't know or care about (implementation details), you add a third testing user, you're now having to keep that third user in your head and make sure you account for changes that affect the testing user as well. 
 
- 
  
- 
            
testing-library.com testing-library.com- 
  You want to write maintainable tests for your React components. As a part of this goal, you want your tests to avoid including implementation details of your components and rather focus on making your tests give you the confidence for which they are intended. As part of this, you want your testbase to be maintainable in the long run so refactors of your components (changes to implementation but not functionality) don't break your tests and slow you and your team down. 
 
- 
  
- Apr 2019
- 
            
qualitysafety.bmj.com qualitysafety.bmj.com- 
  why 5 whys is broken 
 
- 
  
- Feb 2019
- 
            
www.citejournal.org www.citejournal.org- 
  At the heart of good teaching with technology are three core components: content, pedagogy, and technology, plus the relationships among and between them. The interactions between and among the three components, playing out differently across diverse contexts, account for the wide variations seen in the extent and quality of educational technology integration Incorporating technology on its own will not be helpful to us when we are teaching. We must also base what tools we use around the content that we are teaching, our teaching methods and ability to differentiate a lesson, and the type of technology we are trying to incorporate. Technoology is useful when used correctly and wisely, so when we lesson plan, we must think about these before implementing our instruction. 
 
- 
  
- 
            
framework.thoughtvectors.net framework.thoughtvectors.net- 
  offering humanity a way to address complex problems together Even as a way is offered to address these problems together, there is often conflict and denial. Witness the political realm in relation to global climate change, distribution of resources, conflict between nations, etc. Computer models are created, are worked on by specialists, but implementation of real change to benefit humanity relies on political decisions and even (perhaps especially) the mentioned profit motive. 
 
- 
  
- Nov 2018
- 
            
medienpass.gbm-ge.de medienpass.gbm-ge.de- 
  Kompetenzraster des Medienpasses Seht euch unter auf dieser Homepage eure Kompetenzbereiche an. Es gibt für JEDEN Kompetenzbereich bereits Materialien. 
- 
  Zuordnungstabelle Prüft, ob die zugeordneten Kompetenzen implementierbar sind - Niemand soll am Ende mehr Arbeit als nötig haben. 
 
- 
  
- 
            
www.the-hospitalist.org www.the-hospitalist.org- 
  At a time of once-in-a-generation reform to healthcare in this country, the leaders of HM can’t afford to rest on their laurels, says Dr. Goldman. Three years ago, he wrote a paper for the Journal of Hospital Medicine titled “An Intellectual Agenda for Hospitalists.” In short, Dr. Goldman would like to see hospitalists move more into advancing science themselves rather than implementing the scientific discoveries of others. He cautions anyone against taking that as criticism of the field. “If hospitalists are going to be the people who implement what other people have found, they run the risk of being the ones who make sure everybody gets perioperative beta-blockers even if they don’t really work,” he says. “If you want to take it to the illogical extreme, you could have people who were experts in how most efficiently to do bloodletting. “The future for hospitalists, if they’re going to get to the next level—I think they can and will—is that they have to be in the discovery zone as well as the implementation zone.” Dr. Wachter says it’s about staying ahead of the curve. For 20 years, the field has been on the cutting edge of how hospitals treat patients. To grow even more, it will be crucial to keep that focus. Hospitalists can learn these skills through residency and fellowship training. In addition, through mentorship models that create evergrowing 
- 
  By 2007, SHM had launched Project BOOST (Better Outcomes by Optimizing Safe Transitions), an award-winning mentored-implementation program to reduce LOS, adverse events, and unnecessary 30-day readmissions. Other mentored-implementation programs followed. The Glycemic Control Mentored Implementation (GCMI) program focuses on preventing hypoglycemia, while the Venous Thromboembolism Prevention Collaborative (VTE PC) seeks to give practical assistance on how to reduce blood clots via a VTE prevention program Other SHM Mentored Implementation programs - - Atul Gawande
- I-PASS
- PFC I-PASS Link this to
- Dissemination and implementation of research findings
- Twenty years since to err is human
 
 
- 
  
- 
            
educationaltechnology.net educationaltechnology.net- 
  “The ADDIE model consists of five steps: analysis, design, development, implementation, and evaluation. It is a strategic plan for course design and may serve as a blueprint to design IL assignments and various other instructional activities.” This article provides a well diagrammed and full explanation of the addie model and its' application to technology. Also included on the site is a link to an online course delivered via diversityedu.com RATING: 4/5 (rating based upon a score system 1 to 5, 1= lowest 5=highest in terms of content, veracity, easiness of use etc.) 
 
- 
  
- Jun 2018
- 
            
www.theverge.com www.theverge.com- 
  In January of that year, the company began testing a tool called the web annotator, which allowed anyone to add genius.it/ before any URL and then highlight and annotate text. 
 
- 
  
- Apr 2015
- 
            
- 
  MOOCs tend to attract those with already a high level of education, rather than widen access MOOCs widen access for those who already have some higher level education and are looking for professional and intellectual development. Thus already privileged groups are getting better access to more educational resources. a counterargument: MOOCs can be locally used as a well structured educational resource by local development organizations to serve the underprivileged groups; this will not become a social mobility device, but can potentially serve as a mass literacy tool (including various forms of literacy - basic elements of critical thinking; basic statistics, essential ecological literacy skills. locally implemented MOOCs can become a valuable alternative to one-directional broadcasts, a way to organize local developments basing on scientific knowledge and research as opposed to propaganda and superstiions 
- 
  approaches lagunita.stanford.edu/courses/StanfordOnline/O.P.E.N./CourseDesign/courseware "SPOC A SPOC represents a blended teaching approach that utilizes the power of online platforms in a more intimate, traditional course setting. In many cases, the online content is not created by the instructor teaching the face-to-face portion of the course but rather is adopted from a MOOC." 
 
- 
  
- Mar 2015
- 
            
www.scrumguides.org www.scrumguides.org- 
  an objective set for the Sprint that can be met through the implementation of Product Backlog. It provides guidance to the Development Team on why it is building the Increment. It is created during the Sprint Planning meeting. The Sprint Goal gives the Development Team some flexibility regarding the functionality implemented within the Sprint. The selected Product Backlog items deliver one coherent function, which can be the Sprint Goal. The Sprint Goal can be any other coherence that causes the Development Team to work together rather than on separate initiatives. an objective set for the Sprint that can be met through the implementation of Product Backlog. It provides guidance to the Development Team on why it is building the Increment. It is created during the Sprint Planning meeting. The Sprint Goal gives the Development Team some flexibility regarding the functionality implemented within the Sprint. The selected Product Backlog items deliver one coherent function, which can be the Sprint Goal. The Sprint Goal can be any other coherence that causes the Development Team to work together rather than on separate initiatives. 
 Tags- hepsini sor
- mağaza
- an objective set for the Sprint that can be met through the implementation of Product Backlog. It provides guidance to the Development Team on why it is building the Increment. It is created during the Sprint Planning meeting. The Sprint Goal gives the Development Team some flexibility regarding the functionality implemented within the Sprint. The selected Product Backlog items deliver one coherent function, which can be the Sprint Goal. The Sprint Goal can be any other coherence that causes the Development Team to work together rather than on separate initiatives.
 AnnotatorsURL
- 
  
- Jan 2014
- 
            
blogs.msdn.com blogs.msdn.com- 
  I regret that the documentation does not focus on what is most relevant; by focusing on a largely irrelevant implementation detail, we enlarge the importance of that implementation detail and obscure the importance of what makes a value type semantically useful. I dearly wish that all those articles explaining what “the stack” is would instead spend time explaining what exactly “copied by value” means and how misunderstanding or misusing “copy by value” can cause bugs. Documentation should focus on semantically useful descriptions; another accompanying document (or annotation) can provide relevant implementation details upon request, but that deeper level of detail should be left out by default to avoid enlarging the importance of less relevant things. 
- 
  I find this characterization of a value type based on its implementation details rather than its observable characteristics to be both confusing and unfortunate 
- 
  Surely the most relevant fact about value types is not the implementation detail of how they are allocated, but rather the by-design semantic meaning of “value type”, namely that they are always copied “by value”. 
- 
  I blogged a while back about how “references” are often described as “addresses” when describing the semantics of the C# memory model. Though that’s arguably correct, it’s also arguably an implementation detail rather than an important eternal truth. Another memory-model implementation detail I often see presented as a fact is “value types are allocated on the stack”. I often see it because of course, that’s what our documentation says. 
 
-