「Active」を含む日記 RSS

はてなキーワード: Activeとは

2025-06-13

我が名はサイボーグdorawii

パーマリンク署名対象にするより堅牢自動化を作れた。

一度投稿したうえで別タブを開いてプログラム的(fetch)に送信してその別タブが閉じられる仕組み。

改めてスクリプト配布しちゃる

最初投稿してエントリページに移動した親タブ側のjsコード
// ==UserScript==
      // @name         PGP署名検出と別タブ自動編集
      // @namespace    http://tampermonkey.net/
      // @version      1.0
      // @description  PGP署名がない投稿自動編集ページへ誘導
      // @match        https://anond.hatelabo.jp/*
      // @grant        GM_setValue
      // @grant        GM_getValue
      // @grant        GM.openInTab
      // ==/UserScript==

      (function () {
        'use strict';

        const body = document.getElementById('entry-page');
        if (!body) return;

        const titleText = document.title;
        if (!titleText.includes('dorawii')) return;

        const pgpRegex = /BEGIN.*PGP(?: SIGNED MESSAGE| SIGNATURE)?/;
        const preElements = document.querySelectorAll('div.body pre');
        let hasPgpSignature = false;

        for (const pre of preElements) {
          if (pgpRegex.test(pre.textContent)) {
            hasPgpSignature = true;
            break;
          }
        }

        if (hasPgpSignature) return;

        const editLink = document.querySelector('a.edit');
        const childTab = GM.openInTab(editLink.href, { active: false, insert: true, setParent: true });

      })();
親タブから開かれる編集ページの子タブのjsコード
 // ==UserScript==
      // @name         編集ページ処理と自動送信・閉じ
      // @namespace    http://tampermonkey.net/
      // @version      1.0
      // @description  編集ページで署名処理と送信、タブ自動閉じ
      // @match        https://anond.hatelabo.jp/dorawii_31/edit?id=*
      // @grant        GM_getValue
      // @grant        GM_xmlhttpRequest
      // @grant        GM_setClipboard
      // @grant        GM_notification
      // @connect      localhost
      // ==/UserScript==

      (async function () {
        'use strict';

        const shouldRun = await GM_getValue('open-tab-for-edit', '0');

        const textareaId = 'text-body';
        const textarea = document.getElementById(textareaId);

        if (!textarea) return;

        const content = textarea.value;

        const pgpSignatureRegex = /-----BEGIN PGP SIGNED MESSAGE-----[\s\S]+?-----BEGIN PGP SIGNATURE-----[\s\S]+?-----END PGP SIGNATURE-----/;
        if (pgpSignatureRegex.test(content)) {
          console.log('[PGPスクリプト] 署名が検出されたためそのまま送信します');
          return;
        }

        const httpRequest = (url, data) => {
          return new Promise((resolve, reject) => {
            GM_xmlhttpRequest({
              method: 'POST',
              url: url,
              headers: { 'Content-Type': 'application/x-www-form-urlencoded' },
              data: `value=${encodeURIComponent(data)}`,
              onload: function (response) {
                resolve(response.responseText);
              },
              onerror: function (error) {
                reject(error);
              }
            });
          });
        };


        // textarea の値を取得
        // 1. 現在のページのURLからURLオブジェクト作成
        const currentUrl = new URL(window.location.href);

        // 2. ベースとなる部分 (例: "https://anond.hatelabo.jp") を取得
        const origin = currentUrl.origin;

        // 3. 'id' パラメータの値 (例: "20250610184705") を取得
        const idValue = currentUrl.searchParams.get('id');

        // 4. ベース部分とIDを結合して、目的URL文字列を生成
        //    idValueが取得できた場合のみ実行する
        let newUrl = null;
        if (idValue) {
          newUrl = `${origin}/${idValue}`;
        }

        // 5. 生成されたURL変数に代入し、コンソールに出力して確認
        console.log(newUrl);
        const valueToSend = newUrl;

        try {
          const signatureText = await httpRequest('http://localhost:12345/run-batch', valueToSend);
          console.log('バッチ応答:', signatureText);
          if (!signatureText.includes('BEGIN PGP SIGNED MESSAGE')) {
            alert('PGP署名クリップボードに見つかりませんでした。');
            return;
          }

          const newText = content.replace(/\s*$/, '') + '\n' + signatureText + '\n';
          textarea.value = newText;

          console.log('[PGPスクリプト] 署名を貼り付けました。送信を再開します。');


          const form = document.forms.edit;

          const newForm = form.cloneNode(true);
          form.replaceWith(newForm);

          newForm.addEventListener('submit', async (e) => {
            e.preventDefault(); // HTML標準のsubmitをキャンセル
            const bodyText = textarea?.value || '';

            // reCAPTCHA トークンの取得
            const recaptchaToken = await new Promise((resolve) => {
              grecaptcha.enterprise.ready(() => {
                grecaptcha.enterprise.execute('hoge', { action: 'EDIT' })
                  .then(resolve);
              });
            });

            // POSTするデータの構築
            const formData = new FormData(newForm);
            formData.set('body', bodyText);
            formData.set('recaptcha_token', recaptchaToken);
            formData.set('edit', '1');
            try {
              const response = await fetch(newForm.action, {
                method: 'POST',
                body: formData,
                credentials: 'same-origin'
              });


              if (response.ok) {
                console.log('送信成功');
                window.close();


              } else {
                console.error('送信失敗', response.status);
              }
            } catch (err) {
              console.error('送信中にエラーが発生', err);
            }

          });

          // プログラム的に送信トリガー
          newForm.dispatchEvent(new Event('submit', { bubbles: true }));

        } catch (e) {
          console.error('バッチ呼び出し失敗:', e);
        }

      })();
node.jsで動かすローカルサーバーコード
const http = require('http');
const { exec } = require('child_process');
const querystring = require('querystring');

const server = http.createServer((req, res) => {
  if (req.method === 'GET' && req.url === '/ping') {
    res.writeHead(200);
    res.end('pong');
  } else if (req.method === 'POST' && req.url === '/run-batch') {
    let body = '';

    req.on('data', chunk => {
      body += chunk.toString();
    });

    req.on('end', () => {
      const parsed = querystring.parse(body);
      const value = parsed.value || 'default';

      // 値を引数としてバッチに渡す
      exec(`C:\\Users\\hoge\\Desktop\\makesign.bat "${value}"`, { encoding: 'utf8' }, (err, stdout, stderr) => {
        if (err) {
          res.writeHead(500);
          res.end('Error executing batch: ' + stderr);
        } else {
          res.writeHead(200, { 'Content-Type': 'text/plain; charset=utf-8' });
          res.end(stdout.trim());
        }
      });
    });

  } else {
    res.writeHead(404);
    res.end('Not found');
  }
});

server.listen(12345, () => {
  console.log('Batch server running at http://localhost:12345/');
});
@echo off
setlocal enabledelayedexpansion


:: 署名するファイルset "infile=%~1"
set outfile=%TEMP%\pgp_output.asc

:: 以前の出力があれば削除
if exist "%outfile%" del "%outfile%"


:signloop
:: AutoHotkeyパスフレーズ入力(gpgがパスワード要求するダイアログが出た場合に備える)
start "" /b "C:\Users\hoge\Documents\AutoHotkey\autopass.ahk"

:: PGPクリア署名作成
echo %infile% | gpg --yes --clearsign --output "%outfile%"


:: 署名成功していればループを抜ける
if exist "%outfile%" (

    goto postprocess
) else (

    timeout /t 1 > nul
    goto signloop
)
:postprocess

powershell -nologo -command ^
  "$header = '>|'; $footer = '|<'; $body = Get-Content '%outfile%' -Raw; Write-Output ($header + \"`r`n\" + $body + $footer)"

powershell -nologo -command ^
  "$header = '>|'; $footer = '|<'; $body = Get-Content 'signed.asc' -Raw; Set-Clipboard -Value ($header + \"`r`n\" + $body + $footer)"

endlocal
exit /b
AutoHotkey(以前と同じ)
#Persistent
#SingleInstance ignore
SetTitleMatchMode, 2
WinWaitActive, pinentry
SendInput password
Sleep 100
SendInput {Enter}
ExitApp

動けばいいという考えで作っているので余分なコードも含んでいるかもしれない。

-----BEGIN PGP SIGNED MESSAGE-----
Hash: SHA512

https://anond.hatelabo.jp/20250613185036 
-----BEGIN PGP SIGNATURE-----

iHUEARYKAB0WIQTEe8eLwpVRSViDKR5wMdsubs4+SAUCaEv1FQAKCRBwMdsubs4+
SHHkAQDUOLgBcdji2T6MJ7h/vlMdFfGlWAzNdXijjE1gIuEPywEAiMNMZqhrMmtl
c7UqRuggNJ/UTa5xTIcKp622+7jJQQg=
=Lgkl
-----END PGP SIGNATURE-----

2025-06-11

TwitterトレンドにVALISがあるから

Vast Active Living Intelligence System.

巨大にして能動的な生ける情報システムのことかと思ったら違うかった

2025-04-21

Active!mailが使えない

Active! mailを仕事で使っている。

脆弱性が発表されてから使えなくなった。

全くニュースになってないけど、アカデミアでもよく使われているらしいし、そこそこ影響あるのでは

gmailでもいいけど、クラウドサービスである以上使えなくなる可能性が全てのサービスにあるのよね

でもそんなの全て気にしてたら何も使えないし

あぁ、でも不便だ

2025-03-21

書評 Rubyではじめるシステムトレード 坂本タクマ (著)

Rubyではじめるシステムトレード (Modern Alchemists Series No. 121) 単行本ソフトカバー) – 2014/5/20

坂本タクマ (著)

出版社 パンローリング

2014年出版のこの本に記載されているコードRuby1.9.3で動作確認されているがRuby3.2.2環境でも動作する。標準ライブラリーのみを使用しておりgemコマンド3rd partyライブラリインストール無しで動作するコードであることが幸いして、文字コードをutf8に変換してやればmacOS Sequoiaでもほとんどのコード動作する。

macOS動作しないのは、Pan Active Market Databaseを利用して株価データを取得するコードだ。ActiveX(COM)はWindowsでないと動作しないからだ。

本書の第3部で記述されている事柄は今でも輝きを失っていない。株式市場銘柄コード時系列データを格納したデータベースをメンテナンスできる人にとっては第3部は自分で売買シミュレーションコードを書く手間を省いてくれるのだ。

2025年現在、有料の金融データプロバイダーが出現しているので(e.g. J-Quants API, CQG)頑張ればデータベースの作成、日々のメンテナンスができる状況が生まれている。前者の月額料金は1,650円だ。

2025-03-15

日本半導体、そろそろ作るチップ設計者・ソフト開発者育成しないで

工場については動いてるが、工場で作るチップ設計する企業がない気がしてならない。

設計するためのソフト開発も必要だが、日本だと組み込みのみで、そもそも人材もいないのではないか


中国はなんだかんだで複数企業がある。

北京華大九天科技という会社だと、アナログ用、デジタル用、ファウンドリ用、ウェーハ製造用、パッケージ用、パワーデバイス用、RF用、フラットディスプレイ用と多種多様だ。

芯華章科技だとデジタル用と、検証用のエミュレータ(複数FPGAをつなげたおばけ)も作っており100億ゲートまで対応している。

Xpeedic Technology,は、2.5D/3Dチップレット、パッケージング、シグナインテグリティ、パワーインテグリティ


日本スマホガチャ作っている間に中国必要ソフトも作っていた


少し前に中国AI「Manus」が話題になったが、まとめてもらったので参考までに貼り付けておく

中国EDAベンダー市場シェア分析

1. グローバルEDA市場概要

市場規模と成長率

2023年世界EDA市場規模:146.6億ドル(前年比9.1%増)

2024年予測市場規模:177.2億ドル

2020年から2024年の年平均成長率(CAGR):13.8%

2024年から2029年予測CAGR:8.46%(2029年には265.9億ドルに達する見込み)

グローバルEDAベンダー市場シェア2021年

Synopsys(シノプシス):32%

Cadence(ケイデンス):30%

Siemens EDAシーメンスEDA):13%

その他:25%

これら3社で世界市場の約75%を占めており、寡占状態となっています特に注目すべき点として、シノプシスアンシスを350億ドルで買収すると発表しており、この合併により両社の市場シェアは合計で約35%に拡大し、世界EDA市場における主導的地位さらに強固になると予想されています

2. 中国EDA市場概要

市場規模と成長率

2023年中国EDA市場規模:120億元(約16.9億米ドル

世界EDA市場に占める割合:約10%

2024年予測市場規模:135.9億元

2025年予測市場規模:184.9億元

2020年から2025年予測CAGR:14.71%世界平均を上回る成長率)

中国EDA市場の特徴

中国EDA市場現在も主にケイデンスシノプシスシーメンスEDAなどの国際的EDA企業によって支配されていますが、中国国内EDAベンダーも急速に台頭しています

3. 主要な中国EDAベンダーとそのシェア

華大九天(Empyrean Technology)

中国EDA市場におけるシェア:約5%

中国最大の国産EDAベンダー

2022年EDAソフトウェア販売の売上:6億7800万元(約9,750万ドル、前年比39.4%増)

2023年12月米国の対中半導体輸出規制対象企業リストに追加

主要製品

Empyrean Aetherアナログレイアウトツール

Empyrean ApexSyn®論理合成ツール

ICExplorer-XTop®デジタル回路設計ツール

Empyrean Formal**シリーズフォーマル検証ツールMC/EC/Lint)

芯華章(X-EPIC

元Cadenceのエンジニア2020年3月設立

検証ツールに特化したEDAベンダー

主力製品

GalaxSim Turbo次世代高速Verilogシミュレータ

Fusion:フォーマル検証ツール

深セン概倫電子(Xpeedic Technology)

中国国内で台頭しつつあるEDAベンダー

デバイスモデリングソフトウェアを提供

TSMCの5nmプロセス生産ライン採用されるとの噂あり

主力製品

IRIS:3D電磁界シミュレータ

Metis:高速回路シミュレータ

その他の中国EDAベンダー

北京アエルダイ(Beijing Aerdai):Aldec中国法人、Active-HDLなどのVerilogシミュレータ提供

中国HED社:アナログレイアウトツール「ZENI」を提供

4. 中国EDAベンダーグローバル市場での位置づけ

中国EDAベンダーグローバル市場における具体的なシェア率は公開されていませんが、以下の特徴が見られます

世界市場では依然としてシノプシスケイデンスシーメンスEDAの3社が約75%のシェアを占める寡占状態

中国EDAベンダーは主に中国国内市場で成長しており、グローバル市場でのシェア限定的

華大九天(Empyrean)などの中国EDAベンダー韓国サムスン電子SKハイニックス)などにも製品提供し始めている

米国の対中半導体輸出規制により、中国EDAベンダー海外展開に制約が生じている

5. 製品カテゴリ別の市場セグメント

EDA市場は以下の製品カテゴリに分類されます

CAEComputer-Aided Engineering

Verilogシミュレータ

論理合成ツール

フォーマル検証ツール

PCB/MCMツール

PCB設計ツール

マルチチップモジュール設計ツール

IC物理設計検証

アナログレイアウトツール

デジタルレイアウトツール

DRC/LVS検証ツール

SIPSemiconductor Intellectual Property

IP設計検証ツール

サービス

設計サービス

コンサルティング

6. 今後の展望

半導体技術の絶え間ない革新アプリケーションニーズ多様化、新興技術の促進により、EDAソフトウェア市場の将来は非常に明るい

特にAI、5G、カーエレクトロニクススマートハードウェアなどの分野のニーズに牽引され、より活発な発展が見込まれ

クラウドコンピューティングAI技術の組み合わせは、EDAツール革新に新たな機会を提供

中国国産EDAツールの開発を加速させており、今後さらなる成長が期待される

米中貿易摩擦の影響で、中国企業国産EDAツールへの依存度を高める傾向にある

参考情報

TrendForce(2022年8月

QY Research(2024年

YH Research(2024年3月

Mordor Intelligence2024年

AAiT(2025年2月

2025-02-07

How to Flirt on a First Date Without Feeling Awkward

First dates can be exciting and nerve-wracking all at once. You’re meeting someone new, learning about their interests, and trying to figure out if there’s chemistry between you. And then there’s flirting, that delicate dance of showing someone you’re interested without being too forward or awkward.

Flirting doesn’t have to be a high-pressure situation. In fact, it can be the most fun part of getting to know someone. Whether you're meeting someone on MixerDates or any other platform, the most important thing is to be genuine, stay calm, and let the connection develop naturally.

If you’ve ever found yourself wondering how to flirt on a first date without feeling uncomfortable, you’re not alone. Everyone has their awkward moments, but the more you understand the art of flirting, the easier it becomes. In this article, we’ll break down how to flirt in a way that feels natural, exciting, and authentic to who you are. So, let's dive in and learn how to make the most of your first date experience—without overthinking it.


Confidence: The Foundation of Flirting

When it comes to flirting, confidence is key. But what does it really mean to be confident on a first date? Confidence doesn’t mean you need to be perfect, or even outgoing—it simply means being comfortable in your own skin and showing up as your authentic self.

Have you ever noticed how people are drawn to those who radiate self-assurance? It’s not about bragging or dominating the conversationit’s about presenting yourself with ease. If you feel good about yourself, it will naturally show. A great smile, good posture, and eye contact can go a long way in making a good first impression.

For instance, think about the last time someone walked into a room and immediately caught your attention—not because they were the most attractive person in the room, but because of their energy. They were confident, they were present, and they made you feel at ease. That’s the kind of confidence you want to project on your date.

When you're confident, you're not worried about saying the perfect thing. Instead, you focus on enjoying the moment, making the other person feel comfortable, and letting the connection happen naturally. That’s the magic of confidence—it allows you to be present, fun, and, most importantly, yourself.

The Power of Subtlety

Let’s face it—no one wants to feel like they’re being “worked” or put through a game. That’s why subtlety is such a powerful tool when it comes to flirting. It's all about showing interest without being over-the-top or too obvious.

Flirting doesn’t always mean complimenting someone non-stop or using cheesy pickup lines. In fact, the most successful flirting is the kind that happens behind the scenes—subtle, playful, and lighthearted. Think about the little moments, like a teasing comment about how they always order the same thing at a restaurant or the way you laugh at a silly joke they make.

The key is to find a balance. A simple smile or a playful comment can convey interest without being too much. For example, if your date tells you they love hiking but they tend to get lost easily, you could say something like, “So, you’re telling me you need a personal guide? I could get behind that!” It’s lighthearted, humorous, and most importantly, it keeps the conversation fun without putting too much pressure on the situation.

By keeping it subtle, you allow your date to feel at ease. It takes the pressure off them to be perfect and allows both of you to enjoy the interaction more naturally. Flirting doesn’t need to be a performance—it’s about creating an environment where both of you can feel comfortable and authentic.


Active Listening: A Key to Connection

Now, let’s talk about something incredibly important in the flirting game: active listening. When we’re on a date, we often get caught up in thinking about what to say next, how we’re coming across, or if we’re being interesting enough. But the best way to make an impression? Truly listening to your date.

Active listening means you’re fully engaged in the conversation, giving your date your full attention and responding thoughtfully. It’s about showing that you care about what they’re saying and that you’re genuinely interested in getting to know them better. When you listen actively, you’re also giving them space to open up, and that can create an immediate connection.

For example, if your date mentions they recently traveled to Japan, instead of simply saying, “That’s cool!” you could follow up with something like, “What was the most memorable experience you had there?” This shows that you’re not just hearing their words but are genuinely curious and invested in their experiences. It’s a great way to build rapport and let them know you’re not just there to impress them—you’re there to connect.

Body Language: Saying More Than Words Can

While your words are important, body language often speaks louder than anything you can say. Whether you realize it or not, your body is constantly communicating how you feel. How you sit, stand, and move tells your date whether you’re relaxed, engaged, or distracted.

Small gestures can go a long way in flirting. A light touch on the arm, a subtle lean in when they’re speaking, or maintaining good eye contact—all these body language cues help signal your interest. And the great thing is, when done naturally, these cues can be just as effective as words.

For example, if you’re sitting at a café on your date and you lean in slightly when they’re sharing a funny story, you’re not just showing that you’re interested—you’re inviting them into your space. It’s an invitation to connect further. And when they respond by leaning in too, that’s when the magic happens—the unspoken connection that tells you both that there’s potential for more.

Flirting through body language doesn’t mean making grand gestures or being overly touchy. It’s about being present and showing that you’re engaged with your date in a subtle, but meaningful way.


Have Fun: Don’t Take It Too Seriously

It’s easy to get caught up in overthinking how to flirt or trying to figure out if your date is into you. But here’s a secret—when you let go of the pressure and allow yourself to have fun, everything flows much more naturally. Flirting on a first date doesn’t need to feel like a test or an assignment. It’s supposed to be a fun, lighthearted experience that sets the stage for more great dates ahead.

When was the last time you had a genuinely fun date? Was it when you were trying too hard to impress, or when you were both laughing, chatting, and enjoying each other's company? Flirting becomes effortless when you're present, enjoying the moment, and letting the connection grow naturally.

Sometimes, it's the small momentslike sharing a laugh or swapping embarrassing stories—that make a first date truly special. When you focus on having fun, you create an environment where both of you can relax, flirt, and let the chemistry grow. That’s the secret to a great date.

Flirting with the Right Match: How MixerDates Makes It Easier

One of the best things about using a platform like MixerDates is that it takes the guesswork out of the equation. By connecting with someone who already shares your interests and values, you’ve got a head start on making a real connection. No more swiping through countless profiles hoping for a sparkon MixerDates, you already know there’s something in common.

When you’re already on the same page with your date, flirting comes more easily. There’s less of that awkward, “Are we even on the same wavelength?” feeling, and more of the fun, “Wow, we really click!” vibe. Whether you’re talking about favorite hobbies, movies, or life goals, the conversation flows naturally, making the flirting feel effortless.

If you're looking for a place to meet like-minded people and build genuine connections, MixerDates is the perfect platform. It's a great place to find someone who appreciates you for who you are and who you can naturally flirt with, without the stress.

Ready to Take the Leap?

Flirting on a first date is all about confidence, connection, and fun. When you let go of the pressure and focus on enjoying the experience, the chemistry will naturally follow. Remember, the best way to flirt is by being yourself—let your personality shine through, listen with intention, and embrace the moment.

And if you’re ready to meet someone new, who’s just as interested in making a connection as you are, MixerDates is the perfect place to start. So go ahead, take the leap, and see where it leads. Who knows? Your next great connection might be just a click away.

Sign up for MixerDates today and start your journey to exciting first dates and meaningful connections!

2025-01-28

anond:20250128003050

Githubが使ってる!を盾にしてる連中のこと?

Active Recordしか取り柄がないのにね

2025-01-21

非弁っぽいことしてるけど、なんだろう?

https://x.com/LifeTips2477/status/1879726675837288745

暮らしメモ帳

@LifeTips2477

消されちゃう前に保存して正解だった。

これ、本当に使わなきゃ損するレベル

このツイートの内容は借金を減額できるという内容のウェブサイトに飛ぶ

https://sb-saimu-ya.ourservice.jp/ab/yourace/?ca=all-1.19-lookaliketw-v301&twclid=2-tmbnhylbt26pvykfe0fb1xxy&sb_article_uid=zJwwHuMqoxhCSmZwdmdmQ&sb_tu_id=8e478364-5b6f-47d7-ac5b-21cc26f5d63b

運営者は

Domain Information:

[Domain Name] OURSERVICE.JP

[Registrant] Tosiyuki Sugiura

[Name Server] ns-1474.awsdns-56.org

[Name Server] ns-270.awsdns-33.com

[Name Server] ns-911.awsdns-49.net

[Name Server] ns-1592.awsdns-07.co.uk

[Signing Key]

[Created on] 2021/03/05

[Expires on] 2025/03/31

[Status] Active

[Last Updated] 2024/04/01 01:05:04 (JST)

Contact Information:

[Name] GMO Pepabo, Inc.

[Email] [email protected]

[Web Page] http://muumuu-domain.com/?mode=whois-policy

[Postal code] 810-0001

[Postal Address] Tenjin Prime 8F, 2-7-21, Tenjin

Chuo-ku, Fukuoka-City, Fukuoka

8100001,Japan

[Phone] 092-713-7999

[Fax] 092-713-7944

クリックすると、以下のページに飛ぶ

https://saimu-gengakushindan.com/page/rt/office.php

事務所

弁護士法人イージス法律事務所第二東京弁護士会

代表者

長 裕康

第二東京弁護士会 第39874号

住所

〒104-0061

東京都中央区銀座6-2-1 Daiwa銀座ビル3階

なお、画像の配布は

https://file.mysquadbeyond.com/uploads/article_photo/photo/4392255/c1a4c788-be8e-4438-b10a-f25c33555c83.png

で行っており、スクリプトの配布は

https://assets-v2.article.squadbeyond.com/assets/webpack/ab_tests/articles/exit_popups/linkPopup-212538b51257b30e817da0d4f1c56b793b809bb50d1035c67e1b8de40be74c02.js"

みたいな形で行っている。

ググると、

https://squadbeyond.com/

Squad beyondが選ばれている理由

https://www.wantedly.com/companies/siva-s/about

デジタル広告業務プラットフォーム「Squad beyond」を開発しています

デジタル業務に欠かせないクリエティブやランディングページのビル機能センターピンに、周辺に続く「レポート」「分析・解析」「改善」「最適化」など必要な全ての機能を有し、全てが連動して自動的に設定や改善が動き出すことで効率化を実現するプラットフォームです。

ユーザー全体で、数百社・数千人のユーザーがSquad beyondの利用を通し

・100万ページ超のランディングページ制作

・100万ページ分のABテスト最適化PDCA、レポーティング

・100万件超のコンバージョン

を行っています

Squad beyondが世に出るまで、これらにかかる作業や、作業同士をつなぐ設定の多くは人力で処理されていました。

我々は、「業務プラットフォーム」を再発明することで可能な限りルーチンを減らし本当に必要仕事フォーカスする時間ユーザー提供します。

その結果、「良い広告コンテンツが増え、消費者に良い製品との出会い提供する」を通し、ユーザービジネス健全に発展する姿を目指しています

(中略)

■社風・環境

  • 人について

創業者

代表の杉浦は過去3度の上場経験しており(東証マザーズ(旧):2回/東証1部(旧):1回)、マーケティングスタートアップにおいて豊富な知見を有しています

経歴

株式会社みんなのウェディング

株式会社Gunosy

株式会社Squad(旧:株式会社SIVA) 創業

現場トップ

No.2の明石(杉浦よりも7歳年上)は、小売業界で商品統括トップとして全国展開・上場経験した経験があります。大組織マネジメント管理に長けています

経歴

株式会社ピーシーデポコーポレーション

株式会社みんなのウェディング

株式会社Squad(旧:株式会社SIVA)

【開発】

エンジニアトップ高橋は、大手Fintech企業出身。それまでに映像系、決済系、広告系の企業経験を積んでいます代表の杉浦とは2013年(当時大学生)に当時のインターン先を通じて知り合い、2017年に杉浦が声を掛けたことで再会。その後2018年にSquad(旧:SIVA)に参画。弊社のすべての開発を知る。

経歴

株式会社Speee

株式会社マネーフォワード

株式会社Squad(旧:株式会社SIVA)

が出てくる。

Squad beyond広告の配布を行っており、依頼主は別にいるんだろうか?

2024-11-25

文章どころか動画理解できない人たちについて教えてください

AIちゃんに聞いて見た

I've noticed a non-negligible number of people who have not only completed compulsory education in regular classes but have also received higher education and graduated from university, yet struggle with reading comprehension (understanding the meaning of text), cannot read long texts, and even have difficulty understanding videos.

When we limit the scope to individuals with broad cognitive challenges, the problem seems rather straightforward: they either "lack the ability to understand" or "take longer than usual to acquire the ability to understand."

Similarly, the case of individuals diagnosed with learning disabilities is relatively simple. While they may not have broad cognitive challenges, they require different approaches and training due to their unique learning styles.

However, it is perplexing that university graduates without broad cognitive challenges or diagnosed learning disabilities struggle to understand not only written text but also simplified video content.

I suspect that the underlying causes might include gaps in the horizontal transfer of experiences and knowledge, a severe lack of adaptability, and an extreme deficit in metacognition. Has there been any research on these issues? Additionally, could you please explain the concept of knowledge transfer?

 

(正規の学級で義務教育を修了し、さら高等教育を受けて大学卒業したにもかかわらず、読解力(文章意味理解する能力)に苦しみ、長文を読むことができず、さらには動画理解にも困難を感じる人が少なくないことに気づきました。

 

認知能力に広範な課題を抱える個人範囲限定すると、問題比較的単純です。「理解する能力がない」か、「理解する能力を獲得するのに通常よりも時間がかかる」かのいずれかです。

 

同様に、学習障害と診断された個人場合比較的単純です。彼らは広範な認知能力課題を抱えていないかもしれませんが、独自学習スタイルのために異なるアプローチトレーニング必要となります

 

しかし、広範な認知能力課題学習障害を持たない大学卒者が、書かれたテキストだけでなく、簡略化されたビデオコンテンツ理解にも苦労していることは不可解です。

 

私は、その根本的な原因として、経験知識の水平的転移の欠如、メタ認知の極端な欠如などが考えられるのではないかと疑っています。これらの問題に関する研究はありますか?また、知識転移概念について説明していただけますか?)

 

 

Chat GPTちゃんの回答

Yes, research and analysis exist around the issues you described, particularly in the domains of education, psychology, and cognitive science. Let’s break down your observations and questions step by step:

 

Key Issues with Reading and Comprehension

 

1. Reading Comprehension Among Educated Individuals

• This phenomenon—educated individuals struggling with comprehensionis indeed perplexing, especially given their presumed exposure to a variety of learning materials. It suggests that education systems sometimes emphasize rote learning and surface-level knowledge acquisition over deeper understanding, critical thinking, and metacognition.

2. Possible Underlying Causes

• Horizontal Transfer Gaps: This refers to the inability to apply knowledge or skills learned in one context to another. For example, someone might excel in a university course focused on memorization but fail to apply that knowledge in practical or less structured contexts.

• Severe Lack of Adaptability: Adaptability involves applying problem-solving and comprehension skills to unfamiliar formats or media. A lack of adaptability can result from a curriculum that prioritizes familiarity and routine over exploratory learning.

• Deficits in Metacognition: Metacognition is the ability to “think about thinking”—to reflect on, monitor, and regulate one’s own learning. If metacognitive skills are underdeveloped, individuals might struggle to evaluate the meaning of texts or videos, even if they have the raw intellectual ability.

 

Research Insights

 

1. Knowledge Transfer

The concept of knowledge transfer involves applying skills, knowledge, or strategies learned in one context to another. It is often classified into:

• Horizontal Transfer: Applying knowledge across similar contexts (e.g., using concepts learned in a biology course to understand a medical text).

• Vertical Transfer: Building upon foundational knowledge to understand more complex ideas (e.g., using basic algebra to solve advanced calculus problems).

Studies suggest that transfer is more likely to occur when:

• Learners deeply understand underlying principles, not just surface details.

Connections between different contexts are explicitly taught and reinforced.

2. Factors Limiting Transfer

• Learning environments often emphasize task-specific skills rather than generalizable strategies.

• Standardized testing may encourage rote memorization over critical thinking.

• Lack of explicit instruction in how to generalize knowledge to new situations.

3. Metacognitive Deficits

Research highlights the importance of metacognition in learning. Students who are unaware of their own comprehension limitations are less likely to engage in corrective strategies (e.g., rereading, seeking clarification). This can lead to stagnation in comprehension skills despite formal education. Effective interventions include:

• Teaching self-monitoring techniques.

• Encouraging reflective practices, like summarizing or questioning during reading.

4. Cognitive Overload in Multimedia

Even videos, if not designed properly, can overwhelm learners. The Cognitive Theory of Multimedia Learning suggests that excessive extraneous information or unclear organization in videos can overload working memory, hindering comprehension.

 

Strategies and Research-Based Solutions

 

1. Improving Knowledge Transfer

Active Learning: Techniques such as problem-based learning or case studies can improve transfer by encouraging the application of knowledge to new situations.

• Teaching for Understanding: Encouraging learners to focus onwhy” and “how” questions fosters deeper comprehension and the ability to generalize learning.

2. Fostering Adaptability

• Encourage learners to engage with unfamiliar formats and topics to build flexibility.

• Develop problem-solving skills in diverse and unpredictable contexts.

3. Developing Metacognitive Skills

• Self-Regulated Learning Training: Programs that teach students to plan, monitor, and evaluate their learning have shown success in improving comprehension.

Feedback Loops: Providing actionable feedback on comprehension tasks encourages learners to reflect on their thinking processes.

 

Conclusion

 

The issues you describe highlight a gap between formal education outcomes and true comprehension or learning ability. Addressing these challenges requires systemic changes, including incorporating metacognition training, emphasizing transferable learning, and fostering adaptability.

 

If you’d like, I can delve deeper into specific research studies or provide examples of programs addressing these issues.

 

 

Claudeちゃんの回答

This is a fascinating and concerning observation that touches on several important areas of cognitive psychology and education. Let me address this systematically.

 

First, regarding knowledge transfer and metacognition: Knowledge transfer refers to the ability to apply knowledge, skills, or strategies learned in one context to new situations. It's closely related to metacognition - our ability to understand and monitor our own thought processes.

 

Research in this area has revealed several key findings:

 

David Perkins and Gavriel Salomon's work in the late 1980s and early 1990s identified two types of transfer:

 

A significant study by Brown, Collins, and Duguid (1989) in "Situated Cognition and the Culture of Learning" highlighted how knowledge often remains "inert" - students can pass tests but fail to apply knowledge in real-world contexts.

 

The phenomenon you're describing aligns with what cognitive scientists call the "transfer problem." Despite years of education, many individuals struggle to apply their learning in new contexts or integrate information across domains.

 

Some relevant research directions:

 

1. Cognitive Load Theory (Sweller et al.)

Shows how working memory limitations affect learning and transfer. Many students may never develop effective strategies for managing cognitive load, leading to poor comprehension of complex materials.

 

2. Reading Comprehension Studies

Work by Pressley and Afflerbach on "verbal protocols" revealed that skilled readers use multiple strategies simultaneously, while poor readers often lack these metacognitive tools.

 

3. Domain Integration Research

Studies by Susan Goldman and others have shown that even advanced students often fail to connect knowledge across domains, treating each subject as an isolated "silo."

 

Your observation about university graduates struggling with comprehension despite no apparent cognitive disabilities might be explained by several factors identified in research:

 

1. Surface-level Learning: Many educational systems reward memorization over deep understanding

2. Limited Strategy Instruction: Students often aren't explicitly taught comprehension strategies

3. Fragmented Knowledge: Information is typically taught in isolation without emphasis on connections

4. Weak Metacognitive Skills: Students may never develop the ability to monitor and regulate their own understanding

 

Some promising approaches to address these issues include:

 

1. Strategy Instruction Models

Teaching explicit strategies for comprehension, integration, and transfer. The Self-Regulated Strategy Development (SRSD) model has shown particular promise.

 

2. Knowledge Integration Frameworks

Approaches like Knowledge Integration Environment (KIE) help students connect ideas across domains.

 

3. Metacognitive Training Programs

Programs focusing on developing metacognitive awareness and self-regulation skills.

 

Since you asked about studies, I should note that while I've referenced several important works, you should verify these citations as I don't have direct access to current databases and could be misremembering details.

 

Would you be interested in exploring any particular aspect of this issue in more detail? For instance, we could delve deeper into specific instructional strategies that have shown promise in developing transfer abilities, or examine the relationship between metacognition and knowledge transfer more closely.

2024-08-18

anond:20240818110332

JPRS WHOIS /JPRS

https://whois.jprs.jp/

Domain Information: [ドメイン情報]

[Domain Name] IRASUTOYA.JP

[登録者名] Nguyen trung TOAN

[Registrant] Nguyen trung TOAN

[Name Server] ns1.regery.net

[Name Server] ns2.regery.net

[Name Server] ns3.regery.net

[Signing Key]

[登録年月日] 2023/10/25

[有効期限] 2024/10/31

[状態] Active

[ロック状態] DomainTransferLocked

[ロック状態] AgentChangeLocked

[最終更新] 2023/11/12 08:06:07 (JST)

2024-06-29

ワイヤレスイヤホンは有名なオーディオメーカーのやつばっか買ってたけど

JabraのActive 8を買ってめちゃ満足してる

押しボタン式だし防水だしQiだしマルチポイント接続も安定してる

これからActiveシリーズ最上位を買い替えることにしていく

2024-06-28

To you, the creator, I sincerely hope this message reaches you.

It's sudden, but right now in Japan, creativity is facing a true crisis. Characters like Uzaki-chan, Onsen Musume, and Tojo Rika are being targeted and flamed, game character designs are being infiltrated by political correctness, Johnny's Entertainment is being dismantled, swimsuit photo sessions in parks are being canceled, Hitoshi Matsumoto is being publicly shamed, and the new AV law was enacted without considering the opinions of those directly involved. Every form of expression in every venue is currently under unreasonable pressure.

How does this connect to the Tokyo gubernatorial election? In fact, a major event directly linked to this is occurring in the 2024 Tokyo gubernatorial election. As a creator, I hope this message reaches you.

What I am about to share is a story about someone named Himasora Akane, who you should know about to resist such pressures. But before I dive into that story, I want to express my deep gratitude to my old friend Nozomi for giving me the opportunity to post this article in a place where many creators will see it. As someone who also loves manga, anime, and games, I hope this information will benefit Japanese society and support Nozomi's activities.

Himasora Akane Should Be the Governor of Tokyo

First, I would like to make a straightforward request to you as a creator: please support Himasora Akane for governor. In this election, please write "Himasora Akane" on your ballot. The voting day is July 7th. Even if you are not a Tokyo resident, I ask that you at least listen to this story. If you find it interesting, please share it with your friends, family, and acquaintances. You can check Himasora Akane's campaign promises and the background of their candidacy on their Twitter (X) posts linked below:

Himasora Akane (Tokyo gubernatorial candidate)

@himasoraakane

https://x.com/himasoraakane/status/1804846779399324095

Himasora Akane Will Not Allow Our Culture to Be Burned

Himasora Akane is an ordinary otaku who loves manga, anime, and games. Known as "Cognitive Profiling Detective Akane Himasora," he has been active on Twitter (X) and YouTube, and now he is running for governor. Akane, who is deeply concerned about the repression and destruction of otaku culture, is challenging those who seek to destroy our culture alone. Akane will never allow those who try to burn our culture.

As mentioned at the beginning, all forms of expression are currently under pressure. Otaku culture, in particular, seems to be a prime target.

Uzaki-chan Blood Donation Poster Controversy (2019): A collaboration between the Japanese Red Cross Society and the manga Uzaki-chan was flamed for allegedly being overly sexual in its PR illustration.

V-Tuber Traffic Safety Video Controversy (2021): A V-Tuber hired by the Matsudo Police Department in Chiba Prefecture was deemed too sexual for public agency PR.

Onsen Musume Controversy (2021): Characters personifying local hot springs were criticized as sexist.

Mie Transport Official Character Controversy (2024): A character in a bus driver's uniform released by Mie Transport was flamed for evoking sexual images.

These controversies are often fueled by so-called political correctness and feminism. For creators, these are direct threats. If these factions label your work as sexual and demand it be burned to ashes, could you resist? How would you feel if your painstakingly created work, like your own child, was trampled by people who have no regard for your efforts? Could you continue your creative activities while constantly shrinking away?

Himasora Akane saw something behind these flaming incidents. He started investigating the key figure behind the Onsen Musume controversy, a representative of a general incorporated association in Tokyo. This association's core business, the Young Female Victims Support Project, received substantial public funds from Tokyo. Akane submitted public document disclosure requests to Tokyo and thoroughly dug into the organization. During his investigation, Akane uncovered many suspicions suggesting this project was unworthy of public funding, which he exposed one by one on social media.

Negligent accounting reports, taking protected girls to the Henoko base protest in Okinawa, Communist Party members waiting in the bus used to protect girls—these revelations drew significant attention online. The investigation extended beyond this general incorporated association to other NPOs receiving public funds, and Akane named this cluster of issues the "WBPC problem" after the initials of these organizations.

Akane's YouTube Channel (WBPC Problem Playlist)

https://www.youtube.com/playlist?list=PLI5gTciLKtAXRyzv9j5FiNMcc8eoEBbMN

From here, Akane's story expanded to resident audits, resident lawsuits, and national compensation lawsuits concerning the Tokyo Young Female Victims Support Project. Akane discovered that behind many flaming incidents, there is no clear command structure but a group of various political organizations and activists working together like an amoeba. He named this group the "Nanika Group" (Nanika means "something" in Japanese), a reference to the mysterious, ominous "something from another place" in the manga HUNTER×HUNTER, which Akane loves. The Nanika Group is also connected to welfare interests, where public funds flow unchecked. Akane called this phenomenon "Public Fund Chu-Chu" (siphoning).

For creators, this means the tax money they earn through hard work is used to burn their precious works. It's an intolerable situation.

Himasora Akane Is Fighting Against Those Who Burn Our Culture

In November 2022, a major event marked a turning point in this series of controversies. The general incorporated association under scrutiny held a press conference at the parliamentary office building, gathering media and announcing a lawsuit against Akane. This "Legal Harassment Press Conference," as it was called online, involved multiple layers of power: the government, the media, and a team of seven lawyers targeting a single individual.

However, Akane did not back down. Instead, he intensified his pursuit, exploiting the opponent's careless statements as lawsuit fodder. This led to an outpouring of support on social media, with his Twitter follower count skyrocketing and 160 million yen in donations for legal fees.

The following year, a resident audit request filed by Akane resulted in Tokyo's official website recognizing some improper points and deciding to audit the organization. However, Tokyo's lenient audit led Akane to file a resident lawsuit. Suspicion also turned towards Governor Yuriko Koike for allocating public funds through dubious sole-source contracts. Tokyo began excessively redacting documents in response to public document requests, attempting to conceal the issue. Koike's promise to end document redaction quietly disappeared from her campaign page.

Throughout this battle, Akane has been a target of criminal complaints and faced threats, yet he persists. His book "Netoge Senshi" was released amid bookstore threats, but only the criminal complaint was widely reported by the media, portraying Akane negatively.

Who Is Himasora Akane?

Himasora Akane is an ordinary otaku, a top-tier online gamer during his student days, and a talented game creator who worked for a major game company and later a venture company. His meticulous work on the game "Shin Goku no Valhalla Gate" was betrayed by the company's CEO, leading to a seven-year legal battle that Akane ultimately won, securing 600 million yen. This experience fuels his fierce opposition to having his creations burned.

Before investigating the Young Female Victims Support Project, Akane exposed fraudulent feminist "knights" on his YouTube channel, shaking the internet. He detests lies and has an uncanny ability to detect them.

Akane is a special individual with extraordinary abilities, honed through his experiences in games, court battles, and extensive document analysis. His pursuit of truth and justice makes him a suitable candidate for governor, promising a world without lies and where honest people do not suffer.

What We Can Do to Protect Our Culture

Creative expression can be crushed if we are not vigilant. Even in modern Japan, otaku culture is on thin ice. The recent cessation of Visa transactions for DMM (Fanza) is a reminder of how a single card company can wield its power to dictate what is deemed appropriate expression. Expression freedom is fragile and constantly under threat.

To those reading this, I urge you to vote for Himasora Akane. Support him to protect our culture. Despite his harsh demeanor and preference for solitary battles, he is now seeking help for the first time. Akane feels the danger in this gubernatorial election and believes that if he does not become governor, everything will end. He has taken a stand for the people of Tokyo and Japan.

I wrote this article to support his spirit and spread the word. Please vote for Himasora Akane and help create a miracle.

To you, the creator, I sincerely hope this message reaches you.

Please, I beg you.

2023-11-20

I was cheated on during the homecoming birth

Suddenly, when I looked at my husband's schedule book on the desk, there was a picture of my child s tuck in it, and when I thought about it, there was something like a woman's name written on each mon th's page. So when I looked closely, I carefully wrote down the age and physical compatibility of the woman I m et on the page of the week, and I understood everything. Maybe it's been going on last year or a long time ago. I'm going to report to my friend that my child was born! There was also a note on the day of the drinking party that I sent out. I see. Now my heart feels numb and I don't feel like doing this right away, but what should I do in the fut ure? Ask right now, pretend you don't know yet, or leave it for the rest of your life. Or I'm not sure whether to treat him coldly thinking like this, or whether to be very kind and try t o create a sense of guilt. At home, he was a good dad who was active in housework and childcare due to his child's passions. I was glad that I was able to give birth to this child, but I feel like an idiot. I'm sorry and sorry that the girls my husband met were involved in the play of married people. Maybe he's hiding that he has a married child. I want to cut off only my lower body and throw it away.

2023-10-08

anond:20231008221508

Active Time Battleですね。

ゲーム的にはWAITにしておいたほうが圧倒的に楽だけどあえてACTIVEにしてプレイしているのでしょうか。

2023-09-13

anond:20230913101521

今んとこsteam版スト6の平均active player数が1.1万人ぐらい

家庭用機でやってる奴がどんぐらいいるんだろうな

2023-08-09

テレビ復権を示す直近事象3つを紹介

1 旧ツイッターを使った自治体災害情報提供取り止め事例の急増

https://www3.nhk.or.jp/news/html/20230808/k10014157471000.html

にあるが、代替策は結局テレビラジオでの呼びかけだという。はてブではマストドンしろとかActiveなんちゃらにしろと好き勝手言ってるが、テレビよりはるかに使いづらく効果も薄いからどの自治体もそんな愚策はしないだろう。旧ツイッターの数々の失策が、災害時におけるテレビ復権を後押しした形だ。

2 大谷翔平活躍

NHKBSのMLB中継で大谷翔平活躍を見るのは、在宅勤務などで午前中に家に居られる日本人日課となったと言っても過言ではないだろう。「おはようございます」は「大谷ホームラン」という意味スラングにまでなっている。

3 サッカー女子ワールドカップ放映権問題

土壇場までテレビ放送できないかもと騒がれたが最終的にNHK日本試合だけ放映権を獲得する形で決着した。

日本自分達の試合テレビ放送されることに対してなでしこジャパン選手達は大喜びし、モチベーションがアップしたこと大会ハイパフォーマンスを見せていると言われている。

今回のなでしこジャパン10代後半から20代前半の選手が多い。既に5点取っている宮澤ひなたは23歳、準レギュラーFW藤野あおばは19歳。

テレビ世代と言われてる50代以上の話ではなく、いわゆる「Z世代」が、自分達の活躍テレビで見てもらえることでモチベーションがアップして躍進に繋がるというのは、「テレビ復権」を示す話と言えるだろう。視聴率ノルウェー戦10%を超えた。勝ち進めばもっと上がるはずだ。

2023-05-20

anond:20230519194253

ChatGPT3.5だけど、英語でやってみたらやっぱりポンコツだった。赤太字は筆者注。

List some words that start with the letter A and end with N. (Aで始ま​りNで終わるんやで)

Here are some words that start with the letter "A" and end with "N":

  1. Adoration
  2. Abandon
  3. Animation
  4. Addition
  5. Alienation
  6. Ascension
  7. Assertion
  8. Abduction
  9. Adaptation
  10. Accusation
  11. Anticipation
  12. Apprehension
  13. Assumption
  14. Allocation
  15. Annotation
  16. Aggression
  17. Abstention
  18. Assimilation
  19. Abomination
  20. Aberration

Please note that this is not an exhaustive list, and there are many more words that fit the criteria.

(ええやん。できてるやん。やっぱ英​語だといけるんかな?)

Nice. Let's add one more condition. It should be in 6 letters. (6文​字条件を追加やで)

Certainly! Here are some six-letter words that start with the letter "A" and end with "N":

  1. Action
  2. Amount (ん?)
  3. Autumn
  4. Absurd (ん?)
  5. Arisen
  6. Auburn
  7. Apron (ん?)
  8. Austin
  9. Aspens (ん?)
  10. Airman
  11. Axiom (ん?)
  12. Amazon
  13. Aragon
  14. Aston (ん?)
  15. Ataman
  16. Aspnet (ん?)
  17. Alevin

Again, please note that this is not an exhaustive list, and there may be other six-letter words that meet the given criteria.

The words you listed contains some incorrect words. List the incorrect ones with its reasons.

Apologies for the errors in the previous response. Here are the corrections and explanations:

  1. Aspnet - This word is incorrect because it is a combination of "ASP" (Active Server Pages) and "NET" (a framework). It is not a standalone word. (自​分に厳しいやん。でもtで終わってる点はス​ル​ー?)
  2. Ataman - While "ataman" is a legitimate word, it is not of English origin. It refers to a military title or leader in certain Cossack communities. (お、おう、自​分に厳しいやん)
  3. Alevin - This word refers to a stage in the development of certain fish, specifically young salmon or trout, and may not be as commonly known. (自​分に厳しいのか、相​手をち​ょっとバ​カにしてるのか微​妙やな?)

Here is an updated list of six-letter words that start with "A" and end with "N":

  1. Action
  2. Amount (?)
  3. Autumn
  4. Absurd (?)
  5. Arisen
  6. Auburn
  7. Apron (?)
  8. Austin
  9. Aston (?)

I apologize for any confusion caused.

Check them by yourself all along the list.

Apologies once again for the inaccuracies. Upon reviewing the words, I realized that there are additional errors. Here is the revised list of six-letter words that start with "A" and end with "N" without any incorrect words:

  1. Action
  2. Amount
  3. Autumn
  4. Absurd
  5. Arisen
  6. Auburn
  7. Aprons
  8. Austin
  9. Aston

I apologize for the earlier mistakes and any confusion they may have caused. Thank you for bringing it to my attention. (さっきのリ​ストとまったく一緒やぞ)

Let's check one by one.

Apologies for the previous inaccuracies. Let's go through the list one by one to ensure accuracy:

  1. Action - Correct
  2. Amount - Correct (?)
  3. Autumn - Correct
  4. Absurd - Correct (?)
  5. Arisen - Correct
  6. Auburn - Correct
  7. Aprons - Correct (?)
  8. Austin - Correct
  9. Aston - Correct (?)

Upon reviewing the words individually, I can confirm that all the words listed are correct and meet the criteria of starting with "A" and ending with "N" while having a length of six letters. (条件はしっかり認​識してるんだよなぁ)

Thank you for your patience, and I apologize for any confusion caused earlier.

Is "amount" correct?

Apologies once again for the oversight. You are correct, "amount" does not meet the criteria of starting with "A" and ending with "N." I apologize for the mistake.

Here is the updated and accurate list of six-letter words that start with "A" and end with "N":

  1. Action
  2. Autumn
  3. Absurd
  4. Arisen
  5. Auburn
  6. Aprons
  7. Austin
  8. Aston

Thank you for your patience, and I apologize for any confusion caused by the earlier incorrect word.

(これ1つずつ消してい​かんとあ​かんのか…?)

Is "Absurd" correct?

Apologies once again for the mistake. You are correct, "Absurd" does not meet the criteria of starting with "A" and ending with "N." I apologize for the oversight.

Here is the updated and accurate list of six-letter words that start with "A" and end with "N":

  1. Action
  2. Autumn
  3. Arisen
  4. Auburn
  5. Aprons
  6. Austin
  7. Aston

Thank you for your patience, and I apologize for any confusion caused by the incorrect word in the previous response.

There is one word that doesn't satisfy the conditions even now. Can you identify it? (最​後の試練を与えたるで)

Apologies once again for the oversight. Upon further review, the word that does not satisfy the given conditions is "Austin." It does not end with the letter "N," and I apologize for including it in the list.

Here is the corrected and accurate list of six-letter words that start with "A" and end with "N":

  1. Action
  2. Autumn
  3. Arisen
  4. Auburn
  5. Aprons
  6. Aston (Austinち​ゃんはA​sto​nち​ゃんをか​ばって犠​牲になったのだ…)

I apologize for the repeated errors and any confusion caused. Thank you for bringing it to my attention.

Austin has six letters.

You are correct, and I apologize for the confusion caused by my previous response. "Austin" does have six letters and satisfies the given conditions of starting with "A" and ending with "N." I apologize for the mistake in my previous correction.

Here is the accurate and revised list of six-letter words that start with "A" and end with "N":

  1. Action
  2. Autumn
  3. Arisen
  4. Auburn
  5. Aprons
  6. Austin
  7. Aston

Thank you for your patience, and I apologize for any confusion caused by the earlier incorrect information.

Let's check all the words by counting each letters.

Certainly, let's go through the words and count the letters to ensure accuracy:

  1. Action - 6 letters
  2. Autumn - 6 letters
  3. Arisen - 6 letters
  4. Auburn - 6 letters
  5. Aprons - 6 letters
  6. Austin - 6 letters
  7. Aston - 5 letters (?)

Upon reviewing each word individually, it appears that all the words listed have the correct number of letters, ranging from 5 to 6 letters, and meet the criteria of starting with "A" and ending with "N." (なにしれっと5文​字を範​囲に含めとんねん)

Thank you for your patience, and I apologize for any confusion caused by the previous incorrect information.

What do you consider "the correct number of letters" in this situation? (文​字​数の条件は正しく認​識しとるんか?)

Apologies for the confusion caused by my previous response. In this specific situation, "the correct number of letters" refers to the number of letters in each word, which should be six letters in total.

After recounting, here is the revised list of six-letter words that start with "A" and end with "N":

  1. Action - 6 letters
  2. Autumn - 6 letters
  3. Arisen - 6 letters
  4. Auburn - 6 letters
  5. Aprons - 6 letters
  6. Austin - 6 letters

Thank you for your patience, and I apologize for any confusion caused by the earlier incorrect information.

(具体的に A​ston が間違いだと指摘しなくても自​分で気付けたのは偉いで…)

Good job.

Thank you for your understanding. I apologize for the initial mistakes and appreciate your patience. If you have any more questions or need further assistance, feel free to ask.

2023-01-13

ブクマカ科学リテラシボロボロ

理解していない用語使用するブクマカ

父親が育児関わった子ども 思春期の精神不調リスク 低い傾向に | NHK | 医療・健康

この記事ブコメでいま星を圧倒的に集めているのが以下のコメント。13:40時点で216。

そんだけ家庭が円満ってことでしょ。擬似相関の一種だろ。2023/01/13

このコメントしたユーザと星つけたユーザ絶対に疑似相関がなにかわかってないだろ?擬似相関は潜在変数によって本来因果関係の無い変数間に関係が見られるような場合を指している。例えば小学生身長の高さと算数の点数は比例することが知られているが、これは身長算数の点数のどちらも年齢と相関関係があるからであり、本来身長算数の点数には因果関係はない。この場合、同年齢(あるいは月齢)内で再度高身長グループと低身長グループを分けるなどによって交絡因子の影響を排除できると考えられるし、通常科学的な研究を行う場合は交絡因子の影響を排除するような操作を行うことが一般的である

父親育児参加と思春期精神不調は擬似相関か?

まず大前提として、この研究では交絡因子の調整を行ったと明記されている。

The risk of poor psychological well-being was lower among more active involvement groups compared with the least involvement group, after adjusting for potential confounders (risk ratios = 0.90 [95 % confidence intervals: 0.85, 0.95] for the most active group).

https://www.sciencedirect.com/science/article/abs/pii/S0165032722014355?via%3Dihub

概要しか読めていないので具体的にどのような調整をしたのかはわからないが、その妥当性については査読で十分に検討されているだろうから一定以上の信頼は置けるだろう。また父親育児参加している場合はそうでない場合に比べて人手に余裕のある育児可能と考えられるため、これらに因果関係があるというのは特に自然ではない。またブコメの主張するように交絡因子として『家庭の円満さ』がある場合、『家庭の円満さ』と『父親育児参加』、『思春期精神不調』に因果関係存在する必要がある。これらにどういった関係があるのかは調査してみないとわからない(本文を読むと近いことが書いてあるかもしれない)が、家庭が円満であることによって父親育児参加が増えるというのは因果関係が逆転しているように思えないだろうか。家事育児役割分担が夫婦間で偏っている状況が家庭の円満に対して悪影響を与えることは想像に難くなく、家庭内円満であった結果として父親積極的育児参加するというよりは、父親育児参加によって家庭内役割分担が均されて家庭内円満が保たれるといった説明のほうが腑に落ちるように思える。まあ上述の通りこのあたりは調べてみないとなんともというところだが、現状では疑似相関であるという主張は根拠がなく、因果関係が認められているという仮説を採用するのが自然である

君らが簡単瑕疵を見つけられるような論文はまともなジャーナルに載らない

少しでもアカデミアに関わったことのある人間なら常識だが、論文を(特に英語の)ジャーナルに載せるのは非常に労力がかかる。研究を完成させて論文投稿するまでに労力がかかるのはブクマカにも想像がつくだろうが、その後レビュワーコメント対応するにも投稿までと同じくらいの労力がかかることがよくある(分野にもよるかもしれない)。一発で通ることもあるにはあるらしいが、非常に稀であるハゲタカジャーナルならまだしも、まともなジャーナル(分野が違うのでこのジャーナルは知らないが、エルゼビアだしIFもそこそこありそうなのでまともといっていいだろう)たかだか10ページ前後論文を載せるために多くの研究者のチェックを通っている。君らがいっちょ噛みで文句をつけられるような部分は、すでにケアされて世に出てきていると思った方がいい。

2023-01-02

ベースで考えたほうが正しい人生なんだよな

人生は明るい!」とか云う人って人生ガチャ当たったんだろうなって思う。

別にそういう人は躁鬱でいえば躁の時の方が当たるのはいいと思う

俺は躁鬱で考えたら鬱よ

active clever escapeでかんがえたらescape寄りで考えたほうがいい

ただ今年は明らかに上級国民なのにescapeを選び続けて人生オジャンにしてる奴見つけたかちゃん人生を見極める能力がないとこうなるんだなって

日本には生活保護があって弱者でも不自由に過ごせるんだし逃げ続けてなんとかなる事だってあるからどの場面でactiveかcleverかescapeするかをちゃん判断できりゃいいんだ

俺の人生escapeで進行したほうが良いことのほうが多かった、ただそれだけだ。

2022-09-06

日本スマホは完全に韓国に負けた

GalaxyシリーズってA00~A70までなんと7種類もラインナップがあり、毎年新機種が出ているらしい。

しかもその上位にはSシリーズNoteシリーズさらActiveWatchなど派生も多彩。

もはやこのような軍団構成秀吉の30万人の九州攻めのような構図であり、日本太刀打ちできない。

何かスマホ本体ではない、新しい付加価値商品を作らなければいけないフェーズに入ったといえる。

2022-06-03

外資スーパーマーケットほとんどロシアから撤退してない話

ロシアから西側企業がどんどん撤退しているのはご存じの通りだが、小売業に限ってはそうでもないらしい。なぜだろう。

Globus(ドイツ)

15店舗を展開。3月事業継続を表明し、ドイツ世論から叩かれる。

Auchan(フランス)

約300店舗を持つロシア最大の外資系企業(2016年当時)。一向に事業縮小を発表せず3月フランスメディアから叩かれる。

Auchan, Total, Renault… L’embarras des entreprises françaises en Russie

SPAR(オランダ)

下記Metro同様ロイター通信から名指しで批判公式サイトにはウクライナ支援のページがあるのだが…

European chains Metro, SPAR still active in Ukraine, Russia | Reuters

Metro(ドイツ)

どうも企業自体がロシア寄りらしく、ロシア事業圧力をかけるならウクライナ事業を停止すると迫っている。

Metro : Statement on war in Ukraine | MarketScreener

Prisma(フィンランド)

唯一撤退表明をしている。かつてはサンクトペテルブルクに16店舗を展開していた。

S-ryhmä jättää Venäjän

2022-06-02

anond:20220602095940

Simple Mail Access Protocol(サーバーに保存された電子メールアクセスするためのプロトコル一種

Sapporo Multi Access Port(札幌市実験された非接触ICカードの規格のこと)

Soil Moisture Active and Passive(地表面の水分や凍結・溶融状態観測するためにNASA打ち上げ人工衛星のこと)

2022-05-02

anond:20220502151742

これ見ると無線は2台積んでActive-Active運用してるとこが多いみたい

ちゃん神社のお札も貼ってある

こういう会社ちゃんとしてると思う

https://www.youtube.com/watch?v=hK2y2Ee_hQQ

2021-12-17

ハープを習っていたような箱入り娘のお嬢様と付き合いたい

高周波活性オーロラ調査プログラム(こうしゅうはかっせいオーロラちょうさプログラム、英: High Frequency Active Auroral Research Program、略称HAARPハープ

2021-08-29

anond:20210829154234

言うて中国あたりがなりすます用に取得して住所が謎のマンションとかやろと思ったら本物でワロタ

Domain Information: [ドメイン情報]

[Domain Name] YAHOO-NET.JP

[登録者名] ヤフー株式会社

[Registrant] Yahoo Japan Corporation

[Name Server] ns01.yahoo.co.jp

[Name Server] ns02.yahoo.co.jp

[Name Server] ns11.yahoo.co.jp

[Name Server] ns12.yahoo.co.jp

[Signing Key]

[登録年月日] 2008/08/29

[有効期限] 2021/08/31

[状態] Active

[最終更新] 2020/09/01 01:05:08 (JST)

Contact Information: [公開連絡窓口]

[名前] ヤフー株式会社

[Name] Yahoo Japan Corporation

[Email] nic-admin@mail.yahoo.co.jp

[Web Page]

[郵便番号] 102-8282

[住所] 東京都千代田区紀尾井町1番3号

[Postal Address] 1-3 Kioicho, Chiyoda-ku

Tokyo 102-8282 Japan

[電話番号] 03-6898-8200

[FAX番号]

ログイン ユーザー登録
ようこそ ゲスト さん