Tag Archives: November

Loading
loading..

Turkey Research

In the pursuit of Knowledge,
every day something is added.
In the practice of the Way,
every day something is dropped.

Less and less do you need to force things,
until finally you arrive at non-action.
When nothing is done,
nothing is left undone.
— Lao Tzu

 

United States Department of Agriculture | Turkey Standards Country Report

Standards Pennsylvania

Diwali at Stanford Dining

Diwali, the Festival of Lights celebrated in India, features a delightful array of traditional foods. Sweets like ‘gulab jamun,’ deep-fried dough soaked in sugar syrup, and ‘jalebi,’ spiral-shaped saffron-scented pastries, are ubiquitous. ‘Ladoo,’ sweet gram flour balls, and ‘barfi,’ a milk-based fudge, are also popular. Savory treats include ‘namkeen’ like ‘chakli’ and ‘mathri,’ crispy snacks, along with ‘samosas’ and ‘pakoras,’ fried dumplings filled with various fillings.
Families often exchange these delectable creations and offer them as offerings to deities, symbolizing the triumph of light over darkness and the spirit of togetherness during this joyous festival.


Facilities Operations: Land, Buildings & Real Estate

Voting Precincts

Off-year elections in the United States occur in odd-numbered years between major national elections. They primarily focus on local and state-level offices, such as mayors, city councils, state legislatures, and other non-federal positions. These elections often receive less voter turnout than presidential or midterm elections, as they lack the high-profile races that draw large numbers to the polls. Consequently, they can reflect more localized issues and voter sentiments.

In the United States, polling places can be located in a variety of public and private facilities, not just in public schools. While public schools are commonly used as polling places due to their widespread distribution and accessibility, they are not necessarily the largest proportion of polling places nationwide. The specific locations of polling places can vary by jurisdiction and are determined by local election officials. Other common polling place locations include community centers, churches, libraries, government buildings, and private residences.

The selection of polling places is based on factors like accessibility, convenience, and the need to accommodate a specific number of voters within a given precinct or district. The goal is to ensure that voters have reasonable access to cast their ballots on election day. The use of public schools as polling places is widespread but not universal, and the distribution of polling places across various types of facilities can vary from one region to another.

“Election Day” 1944″ Norman Rockwell

The political party that claims that “democracy is at stake” today’s election is the same political party that seeks to federalize state election laws, pack the Supreme Court, remove the Electoral College, remove US national borders and abolish voter identification will be voting in today’s off-year elections.   In other words: it wants to abolish democracy.  Its partisans have long since metastasized in education communities where polling places for students, faculty, staff and nearby residents are hosted.

Join us in post-irony America today when we focus only on the safety and environmental condition of these polling places.   Where there is closer agreement.  Catalogs, titles, chapters, sections and passages that inform best practice on this topic:

Can Voters Detect Malicious Manipulation of Ballot Marking Devices?

 

International Code Council

International Building Code

A117 Accessible and Useable Buildings and Facilities

National Fire Protection Association

Life Safety Code

Premises Security

ASHRAE International

Thermal Environmental Conditions for Human Occupancy

Illumination Engineering Society

Designing Lighting for People and Buildings

Security 100

Sacramento County: Polling Place and Vote Center Management

 

Solidity

Solidity is a high-level, statically-typed programming language used for developing smart contracts on the Ethereum blockchain. Smart contracts are self-executing contracts with the terms of the agreement between buyer and seller written directly into lines of code. Solidity was specifically designed for the Ethereum platform, and it is the most widely used language for creating Ethereum-based smart contracts.

The code below shows how delegated voting can be done so that vote counting is automatic and completely transparent at the same time.

Photograph by Carol M. Highsmith. Library of Congress,

pragma solidity ^0.7.0;

/// @title Voting with delegation.
contract Ballot {
    // This declares a new complex type which will
    // be used for variables later.
    // It will represent a single voter.
    struct Voter {
        uint weight; // weight is accumulated by delegation
        bool voted;  // if true, that person already voted
        address delegate; // person delegated to
        uint vote;   // index of the voted proposal
    }

    // This is a type for a single proposal.
    struct Proposal {
        bytes32 name;   // short name (up to 32 bytes)
        uint voteCount; // number of accumulated votes
    }

    address public chairperson;

    // This declares a state variable that
    // stores a `Voter` struct for each possible address.
    mapping(address => Voter) public voters;

    // A dynamically-sized array of `Proposal` structs.
    Proposal[] public proposals;

    /// Create a new ballot to choose one of `proposalNames`.
    constructor(bytes32[] memory proposalNames) {
        chairperson = msg.sender;
        voters[chairperson].weight = 1;

        // For each of the provided proposal names,
        // create a new proposal object and add it
        // to the end of the array.
        for (uint i = 0; i < proposalNames.length; i++) {
            // `Proposal({...})` creates a temporary
            // Proposal object and `proposals.push(...)`
            // appends it to the end of `proposals`.
            proposals.push(Proposal({
                name: proposalNames[i],
                voteCount: 0
            }));
        }
    }

    // Give `voter` the right to vote on this ballot.
    // May only be called by `chairperson`.
    function giveRightToVote(address voter) public {
        // If the first argument of `require` evaluates
        // to `false`, execution terminates and all
        // changes to the state and to Ether balances
        // are reverted.
        // This used to consume all gas in old EVM versions, but
        // not anymore.
        // It is often a good idea to use `require` to check if
        // functions are called correctly.
        // As a second argument, you can also provide an
        // explanation about what went wrong.
        require(
            msg.sender == chairperson,
            "Only chairperson can give right to vote."
        );
        require(
            !voters[voter].voted,
            "The voter already voted."
        );
        require(voters[voter].weight == 0);
        voters[voter].weight = 1;
    }

    /// Delegate your vote to the voter `to`.
    function delegate(address to) public {
        // assigns reference
        Voter storage sender = voters[msg.sender];
        require(!sender.voted, "You already voted.");

        require(to != msg.sender, "Self-delegation is disallowed.");

        // Forward the delegation as long as
        // `to` also delegated.
        // In general, such loops are very dangerous,
        // because if they run too long, they might
        // need more gas than is available in a block.
        // In this case, the delegation will not be executed,
        // but in other situations, such loops might
        // cause a contract to get "stuck" completely.
        while (voters[to].delegate != address(0)) {
            to = voters[to].delegate;

            // We found a loop in the delegation, not allowed.
            require(to != msg.sender, "Found loop in delegation.");
        }

        // Since `sender` is a reference, this
        // modifies `voters[msg.sender].voted`
        sender.voted = true;
        sender.delegate = to;
        Voter storage delegate_ = voters[to];
        if (delegate_.voted) {
            // If the delegate already voted,
            // directly add to the number of votes
            proposals[delegate_.vote].voteCount += sender.weight;
        } else {
            // If the delegate did not vote yet,
            // add to her weight.
            delegate_.weight += sender.weight;
        }
    }

    /// Give your vote (including votes delegated to you)
    /// to proposal `proposals[proposal].name`.
    function vote(uint proposal) public {
        Voter storage sender = voters[msg.sender];
        require(sender.weight != 0, "Has no right to vote");
        require(!sender.voted, "Already voted.");
        sender.voted = true;
        sender.vote = proposal;

        // If `proposal` is out of the range of the array,
        // this will throw automatically and revert all
        // changes.
        proposals[proposal].voteCount += sender.weight;
    }

    /// @dev Computes the winning proposal taking all
    /// previous votes into account.
    function winningProposal() public view
            returns (uint winningProposal_)
    {
        uint winningVoteCount = 0;
        for (uint p = 0; p < proposals.length; p++) {
            if (proposals[p].voteCount > winningVoteCount) {
                winningVoteCount = proposals[p].voteCount;
                winningProposal_ = p;
            }
        }
    }

    // Calls winningProposal() function to get the index
    // of the winner contained in the proposals array and then
    // returns the name of the winner
    function winnerName() public view
            returns (bytes32 winnerName_)
    {
        winnerName_ = proposals[winningProposal()].name;
    }
}

Homeland Power Security

“Electric Production and Direction” 1933 / William Karp / Smithsonian American Art Museum

We collaborate with the IEEE Education & Healthcare Facilities Committee in assisting the US Army Corps of Engineers in gathering power system data from education communities that will inform statistical solutions for enhancing power system reliability for the Homeland.

United States Army Corps Power Relability Enhancement Program Flyer No. 1

United States Army Corps Power Reliability Enhancement Program Flyer No. 2

We maintain status information about this project — and all projects that enhance the reliability of education community power reliability — on the standing agenda of our periodic Power, Risk and Security colloquia.   See our CALENDAR for the next online meeting; open to everyone

Issue: [19-156]

Category: Power, Data, Security

Colleagues: Mike Anthony, Robert G. Arno, Mark Bunal, Jim Harvey, Jerry Jimenez, Paul Kempf. Richard Robben

Education & Healthcare Facility Electrotechnology Committee

Can Voters Detect Malicious Manipulation of Ballot Marking Devices?

 

Can Voters Detect Malicious Manipulation of Ballot Marking Devices?

Matthew Bernhard, et. al

University of Michigan

 

Abstract:  Ballot marking devices (BMDs) allow voters to select candidates on a computer kiosk, which prints a paper ballot that the voter can review before inserting it into a scanner to be tabulated. Unlike paperless voting machines, BMDs provide voters an opportunity to verify an auditable physical record of their choices, and a growing number of U.S. jurisdictions are adopting them for all voters. However, the security of BMDs depends on how reliably voters notice and correct any adversarially induced errors on their printed ballots. In order to measure voters’ error detection abilities, we conducted a large study (N = 241) in a realistic polling place setting using real voting machines that we modified to introduce an error into each printout. Without intervention, only 40% of participants reviewed their printed ballots at all, and only 6.6% told a poll worker something was wrong. We also find that carefully designed interventions can improve verification performance. Verbally instructing voters to review the printouts and providing a written slate of candidates for whom to vote both significantly increased review and reporting rates-although the improvements may not be large enough to provide strong security in close elections, especially when BMDs are used by all voters. Based on these findings, we make several evidence-based recommendations to help better defend BMD-based elections.

 

IEEE provides this article for public use without charge.

BEAUJOLAIS NOUVEAU

The release of Beaujolais Nouveau is not just about the wine itself; it’s a cultural and marketing phenomenon that brings people together to celebrate the harvest season, promotes the wine industry, and contributes to the economic and cultural vitality of the regions involved.  The settlements listed below contribute significantly to wine-related research, education, and innovation. Some notable universities and research institutions in France that lead wine research include:

  1. University of Bordeaux (Institute of Vine and Wine Science): The University of Bordeaux, located in one of the world’s most famous wine regions, is renowned for its research in viticulture, oenology, and wine-related sciences. The Institute of Vine and Wine Sciences (ISVV) within the university is a key research center in this field.
  2. Montpellier SupAgro: Montpellier SupAgro, part of the Montpellier University of Excellence, is known for its expertise in agronomy, viticulture, and oenology. They offer research programs and collaborate with the wine industry.
  3. University of Burgundy: The University of Burgundy, situated in the heart of the Burgundy wine region, conducts research in oenology and viticulture. The Jules Guyot Institute is a leading research facility in the field.
  4. Institut des Sciences de la Vigne et du Vin (ISVV): Located in Bordeaux, this research institute is dedicated to vine and wine sciences and is affiliated with the University of Bordeaux.
  5. University of Reims Champagne-Ardenne: This university, located in the Champagne region of France, has expertise in Champagne production and conducts research related to winemaking and viticulture.

These institutions, along with various research centers and organizations throughout France, contribute to advancements in wine research, including topics like grape cultivation, wine production techniques, wine chemistry, and the study of wine regions and terroirs. They often collaborate with the wine industry and help maintain France’s position as a leader in the global wine industry.

Beaujolais Nouveau is produced under specific regulations and standards set by the French wine industry. However, there isn’t a specific international standard for Beaujolais Nouveau like there is for some other wines, such as those with controlled designations of origin (AOC) or protected designation of origin (PDO) status.

The production of Beaujolais Nouveau is governed by the rules and regulations of the Beaujolais AOC (Appellation d’Origine Contrôlée), which defines the geographical area where the grapes must be grown, the grape varieties allowed, and the winemaking techniques that can be used. The AOC regulations ensure a certain level of quality and authenticity for wines carrying the Beaujolais Nouveau label.

Winemakers producing Beaujolais Nouveau must follow these guidelines, including using the Gamay grape variety, employing specific vinification methods (such as carbonic maceration), and releasing the wine within a limited time frame after the harvest.

While the production standards are regulated at the national level in France, individual producers may have their own techniques and styles within the broader framework of the Beaujolais AOC regulations.

It’s important to note that the term “Beaujolais Nouveau” itself is not a specific indication of quality or adherence to particular winemaking practices; rather, it signifies a style of wine that is young, fresh, and meant to be consumed shortly after production. As a result, the characteristics of Beaujolais Nouveau can vary from producer to producer within the general guidelines set by the AOC

Tyme

“Tyme” was used in Middle English and earlier forms of the language, and it was commonly found in historical texts, poetry, and manuscripts of that time. It was used to refer to the passage of time, an era, or a specific moment in history.

“Steam alarm clock with a polyphonic whistle” 2004 Jacek Yerka

Today at 16:00 UTC we refresh our understanding of the technical standards for the timing-systems that maintain the temporal framework for daily life in education communities.  The campus clock continues as a monument of beauty and structure even though digitization of everything has rendered the central community clock redundant.

Most leading practice discovery (and innovation) is happening with the Network Time Protocols (NTP) that synchronize the time stamps of widely separated data centers.  In operation since before 1985, NTP is one of the oldest Internet protocols in current use and underlies the Internet of Things build out.  NTP is particularly important in maintaining accurate time stamps for safety system coordination and for time stamps on email log messages.

Use the login credentials at the upper right of our home page.

More

National Institute of Standards and Technology: What is Time?

Sapienza University of Rome: Clock Synchronization

IEEE Standard 1588: Precision Clock Synchronization Protocol for Networked Measurement and Control Systems

National Fire Alarm and Signaling Code

Athletics

Fully automatic time (Sport)

Permanent RFID Timing System in a Track and Field Athletic Stadium for Training and Analysing Purposes

USA Swimming: Time Standards

Layout mode
Predefined Skins
Custom Colors
Choose your skin color
Patterns Background
Images Background
Skip to content