question
dict
answers
list
id
stringlengths
2
5
accepted_answer_id
stringlengths
2
5
popular_answer_id
stringlengths
2
5
{ "accepted_answer_id": null, "answer_count": 2, "body": "C++でUDPソケットを作成しています. \n現在のものは, サーバがバッファにメッセージを貯めてまとめて表示するようになっています. デバッグのために受信した都度コンソールに表示をしたいです.\nこれを実現するには下のコードをどのように修正したら良いのか教えていただきたいです.\n\n環境:Ubuntu 20.04\n\n### ソースコード\n\n**server.cpp**\n\n```\n\n #include <stdio.h>\n #include <string.h>\n #include \"udp_socket.hpp\"\n #include <unistd.h>\n \n const int PortNumber = 50000; //49152~65535\n const char *IPaddress = \"172.0.0.1\"; //recv側のip\n \n const int recv_max_size = 10;\n const int64_t timeout_setting = 10;\n \n int main(int argc, char** argv) {\n UDPSocket udp0(IPaddress, PortNumber);\n \n udp0.udp_bind();\n \n for(int i = 0; i < recv_max_size; i++) {\n if(udp0.timeout(timeout_setting) == 0) {\n perror(\"time out\");\n break;\n }\n std::string data = udp0.udp_recv();\n printf(\"%s\\n\", data.c_str());\n }\n \n return 0;\n }\n \n```\n\n**udp_socket.hpp** (サーバー, クライアントの共通部分をまとめたもの)\n\n```\n\n #include <sys/types.h>\n #include <sys/socket.h>\n #include <netinet/in.h>\n #include <arpa/inet.h>\n #include <unistd.h>\n #include <string>\n #include <string.h>\n \n class UDPSocket{\n int sock;\n struct sockaddr_in addr;\n public:\n UDPSocket(std::string address, int port){\n sock = socket(AF_INET, SOCK_DGRAM, 0);\n addr.sin_family = AF_INET;\n addr.sin_addr.s_addr = inet_addr(address.c_str());\n addr.sin_port = htons(port);\n }\n void udp_send(std::string word){\n sendto(sock, word.c_str(), word.length(), 0, (struct sockaddr *)&addr, sizeof(addr));\n }\n \n void udp_bind(){\n bind(sock, (const struct sockaddr *)&addr, sizeof(addr));\n }\n \n int timeout(int64_t sec) {\n FD_ZERO(&readfds);\n FD_SET(sd, &readfds);\n tv.tv_sec = sec;\n return select(sd + 1, &readfds, NULL, NULL, &tv);\n }\n \n std::string udp_recv(){\n #define BUFFER_MAX 400\n char buf[BUFFER_MAX];\n memset(buf, 0, sizeof(buf));\n recv(sock, buf, sizeof(buf), 0);\n return std::string(buf);\n }\n void udp_recv(char *buf, int size){\n memset(buf, 0, size);\n recv(sock, buf, size, 0);\n }\n \n ~UDPSocket(){\n close(sock);\n }\n private:\n int sd;\n struct sockaddr_in addr;\n socklen_t sin_size;\n struct sockaddr_in from_addr;\n fd_set readfds;\n struct timeval tv;\n };\n \n```\n\n下が現在のサーバに`sendto`したときのログです. \n`close`した後にまとめて`write`しています. これを`recvfrom`するたびに`write`するようにしたいです.\n\n```\n\n 11:38:10.804218 select(9, [8], NULL, NULL, {tv_sec=140262861, tv_usec=519539}) = 1 (in [8], left {tv_sec=140262859, tv_usec=184927}) <2.334631>\n 11:38:13.139160 recvfrom(8, \"hello wolrd\", 1500, 0, {sa_family=AF_INET, sin_port=htons(51618), sin_addr=inet_addr(\"127.0.0.1\")}, [32657->16]) = 11 <0.000007>\n 11:38:13.139263 fstat(1, {st_mode=S_IFIFO|0600, st_size=0, ...}) = 0 <0.000009>\n 11:38:13.139312 select(9, [8], NULL, NULL, {tv_sec=5, tv_usec=184927}) = 1 (in [8], left {tv_sec=4, tv_usec=682655}) <0.502286>\n 11:38:13.641707 recvfrom(8, \"hello wolrd\", 1500, 0, {sa_family=AF_INET, sin_port=htons(51618), sin_addr=inet_addr(\"127.0.0.1\")}, [16]) = 11 <0.000011>\n 11:38:13.641792 select(9, [8], NULL, NULL, {tv_sec=5, tv_usec=682655}) = 1 (in [8], left {tv_sec=4, tv_usec=745982}) <0.936685>\n 11:38:14.578538 recvfrom(8, \"hello wolrd\", 1500, 0, {sa_family=AF_INET, sin_port=htons(51618), sin_addr=inet_addr(\"127.0.0.1\")}, [16]) = 11 <0.000007>\n 11:38:14.578597 select(9, [8], NULL, NULL, {tv_sec=5, tv_usec=745982}) = 1 (in [8], left {tv_sec=5, tv_usec=478603}) <0.267391>\n 11:38:14.846041 recvfrom(8, \"hello wolrd\", 1500, 0, {sa_family=AF_INET, sin_port=htons(51618), sin_addr=inet_addr(\"127.0.0.1\")}, [16]) = 11 <0.000007>\n 11:38:14.846098 select(9, [8], NULL, NULL, {tv_sec=5, tv_usec=478603}) = 1 (in [8], left {tv_sec=5, tv_usec=278146}) <0.200496>\n 11:38:15.046662 recvfrom(8, \"hello wolrd\", 1500, 0, {sa_family=AF_INET, sin_port=htons(51618), sin_addr=inet_addr(\"127.0.0.1\")}, [16]) = 11 <0.000008>\n 11:38:15.046730 select(9, [8], NULL, NULL, {tv_sec=5, tv_usec=278146}) = 1 (in [8], left {tv_sec=2, tv_usec=754525}) <2.523639>\n 11:38:17.570431 recvfrom(8, \"hello wolrd\", 1500, 0, {sa_family=AF_INET, sin_port=htons(51618), sin_addr=inet_addr(\"127.0.0.1\")}, [16]) = 11 <0.000011>\n 11:38:17.570497 select(9, [8], NULL, NULL, {tv_sec=5, tv_usec=754525}) = 1 (in [8], left {tv_sec=4, tv_usec=82849}) <1.671736>\n 11:38:19.242312 recvfrom(8, \"hello wolrd\", 1500, 0, {sa_family=AF_INET, sin_port=htons(51618), sin_addr=inet_addr(\"127.0.0.1\")}, [16]) = 11 <0.000008>\n 11:38:19.242372 select(9, [8], NULL, NULL, {tv_sec=5, tv_usec=82849}) = 1 (in [8], left {tv_sec=3, tv_usec=527405}) <1.555459>\n 11:38:20.797890 recvfrom(8, \"hello wolrd\", 1500, 0, {sa_family=AF_INET, sin_port=htons(51618), sin_addr=inet_addr(\"127.0.0.1\")}, [16]) = 11 <0.000008>\n 11:38:20.797968 select(9, [8], NULL, NULL, {tv_sec=5, tv_usec=527405}) = 1 (in [8], left {tv_sec=3, tv_usec=153375}) <2.374050>\n 11:38:23.172093 recvfrom(8, \"hello wolrd\", 1500, 0, {sa_family=AF_INET, sin_port=htons(51618), sin_addr=inet_addr(\"127.0.0.1\")}, [16]) = 11 <0.000010>\n 11:38:23.172182 select(9, [8], NULL, NULL, {tv_sec=5, tv_usec=153375}) = 1 (in [8], left {tv_sec=2, tv_usec=996190}) <2.157256>\n 11:38:25.329508 recvfrom(8, \"hello wolrd\", 1500, 0, {sa_family=AF_INET, sin_port=htons(51618), sin_addr=inet_addr(\"127.0.0.1\")}, [16]) = 11 <0.000008>\n 11:38:25.329580 close(8) = 0 <0.000016>\n 11:38:25.329626 write(1, \"hello wolrd\\nhello wolrd\\nhello wo\"..., 120) = 120 <0.000012>\n 11:38:25.329682 exit_group(0) = ?\n 11:38:25.329806 +++ exited with 0 +++\n \n```", "comment_count": 5, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-23T11:19:14.937", "favorite_count": 0, "id": "92395", "last_activity_date": "2022-11-27T01:59:53.730", "last_edit_date": "2022-11-24T07:03:57.597", "last_editor_user_id": "4236", "owner_user_id": "54466", "post_type": "question", "score": 1, "tags": [ "c++", "linux", "c" ], "title": "UDPソケットで受信のたびにコンソール表示したい", "view_count": 548 }
[ { "body": "やっと質問の意味が分かりました。\n\n```\n\n std::string data = udp0.udp_recv();\n printf(\"%s\\n\", data.c_str());\n \n```\n\nと「都度`printf`を呼び出しているのになぜか出力されない」という`stdout`の挙動に関する質問でしょうか?\nそうであればUDPは全く関係ありません。尋ねたい内容を適切に質問してください。\n\n原因はバッファリングされているためです。ここでバッファリングの既定値は\n[setvbuf(3)](https://manpages.ubuntu.com/manpages/focal/en/man3/setvbuf.3.html)\nに\n\n> Normally all files are block buffered. If a stream refers to a terminal (as\n> stdout normally does), it is line buffered. The standard error stream stderr\n> is always unbuffered by default.\n\nと説明がありまして\n\n * ファイルはブロックバッファリングする\n * `stdout`は行バッファリングする\n * `stderr`はバッファリングしない\n\nとなっています。`\"%s\\n\"`を改行を含んでいるので行バッファリングは行われますが、本来は都度表示されるはずです。表示されないのは、リダイレクトやパイプなど直接コンソールに出力しておらず、ブロックバッファリングされているからではないでしょうか?\n\n解決策は\n\n```\n\n setvbuf(stdout, NULL, _IOLBF, 0);\n \n```\n\nと行バッファリングに変更することでしょうか。\n\n* * *\n\n質問へのoririさんのコメントより\n\n> `write`の説明もお願いします(質問へ)。マークダウンでのこの表記は `write` 関数と捉えることができ, ログの書き込み処理か何か, あるいは\n> send/sendtoの代わりに `write`使用しているなど複数の意味に取れます。あるいは単なる表示を意味しているのなら表示もしくは\n> `printf` のほうが伝わりやすいかも\n\n誤解があるようなので説明しておきます。dameoさんもコメントされていますが、質問文末尾のログは[`strace(1)`コマンド](https://manpages.ubuntu.com/manpages/focal/en/man1/strace.1.html)によるシステムコールのログです。 \nこのためログに登場する\n\n>\n```\n\n> 11:38:25.329626 write(1, \"hello wolrd\\nhello wolrd\\nhello wo\"..., 120) =\n> 120 <0.000012>\n> \n```\n\nはlibcに含まれる[`write(3)`関数](https://manpages.ubuntu.com/manpages/focal/en/man3/write.3posix.html)ではなく、[`write(2)`システムコール](https://manpages.ubuntu.com/manpages/focal/en/man2/write.2.html)を指します。`printf`関数他、書き込みを行う関数は最終的に`write`システムコールを呼び出すことになります。 \nまた、第一引数の値が `1` となっていますが、これは歴史的に[`stdin = 0`、`stdout = 1`、`stderr =\n2`](https://manpages.ubuntu.com/manpages/focal/en/man3/stdout.3.html)と定められているため、`stdout`であることが読み取れます。\n\n* * *\n\n回答へのdameoさんのコメントより\n\n> 書き込まれるのがそこだけとは限らないし、対策はfflush(stdout)の方が簡単で十分かと\n\n仮に私の推測が正しく意図しないバッファリングが原因だった場合、`stdout`使用箇所すべてにいちいち`fflush(stdout)`を記述するのは、煩雑で記述漏れの懸念もあり、対策として適切ではないと考えます。個人としてそのような対応をとるのは構いませんが、Q&Aとしてはやはり、バッファリングが原因であればバッファリングを制御すべきです。(小泉構文)", "comment_count": 7, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-24T07:03:33.423", "id": "92401", "last_activity_date": "2022-11-27T01:12:20.657", "last_edit_date": "2022-11-27T01:12:20.657", "last_editor_user_id": "4236", "owner_user_id": "4236", "parent_id": "92395", "post_type": "answer", "score": 2 }, { "body": "# 回答ではありません\n\n<https://ja.stackoverflow.com/a/92401/54957> \nについてですが、コメントの依頼を聞き入れて頂けなかったので、動かして確認できない話というのは分かりにくいだろうということもあり、同根の簡易な現象再現/確認合わせてコードにしてみました。\n\n```\n\n do_test() {\n echo '[console]'\n strace ./fwrite 3>&2 2>&1 1>&3 | grep ^write\n echo '[redirect >/dev/null]'\n strace ./fwrite 2>&1 1>/dev/null | grep ^write\n }\n cat >fwrite.cpp <<EOF\n #include <stdio.h>\n int main() {\n const char str[] = {\"hello\\n\"};\n fwrite(str, sizeof(str[0]), sizeof(str)/sizeof(str[0]) - 1, stdout);\n #ifdef FLUSH\n fflush(stdout);\n #endif\n fwrite(str, sizeof(str[0]), sizeof(str)/sizeof(str[0]) - 1, stdout);\n return 0;\n }\n EOF\n g++ -g -Wall -Wpedantic fwrite.cpp -o fwrite\n echo '== without flush =='\n do_test\n g++ -g -Wall -Wpedantic -DFLUSH fwrite.cpp -o fwrite\n echo '== with flush =='\n do_test\n \n```\n\n上記スクリプトの出力例は以下のとおりです。\n\n```\n\n $ sh fwrite.sh \n == without flush ==\n [console]\n hello\n write(1, \"hello\\n\", 6) = 6\n hello\n write(1, \"hello\\n\", 6) = 6\n [redirect >/dev/null]\n write(1, \"hello\\nhello\\n\", 12) = 12\n == with flush ==\n [console]\n hello\n write(1, \"hello\\n\", 6) = 6\n hello\n write(1, \"hello\\n\", 6) = 6\n [redirect >/dev/null]\n write(1, \"hello\\n\", 6) = 6\n write(1, \"hello\\n\", 6) = 6\n $\n \n```", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-25T03:53:07.233", "id": "92420", "last_activity_date": "2022-11-27T01:59:53.730", "last_edit_date": "2022-11-27T01:59:53.730", "last_editor_user_id": "54957", "owner_user_id": "54957", "parent_id": "92395", "post_type": "answer", "score": -3 } ]
92395
null
92401
{ "accepted_answer_id": "92397", "answer_count": 1, "body": "対象とするディレクトリ内の複数のjavaファイルを探索していき、定義されているクラス名を所得したいです。例えば、target_dir に Car.java\nと Train.java\nがある場合、「Car」と「Train」というクラス名を受け取りたいです。また、単純にファイル名をクラス名として返すのではなく、一つずつファイルを探索していく形を取りたいです。\n\n作成してみたのですが、一つのjavaファイルしか読みこむことができず、解決策が思い浮かばない状況です。修正箇所及びより良い実装方法がございましたら、ご教授いただけると幸いです。\n\n```\n\n import os\n for root, dirs, files in os.walk(top='./target_dir'):\n for file in files:\n if not file.lower().endswith(('.java')):\n continue\n \n filePath = os.path.join(root, file)\n \n #一行ずつ読み込む\n with open(filePath) as f:\n lines = f.readlines()\n \n #改行は省く\n lines = [line.rstrip('\\n').split() for line in lines]\n print(lines)\n \n #classの記述の後に続くコードを表示させる\n for i in range(len(lines)):\n if \"class\" in lines[i]:\n classline = lines[i]\n print(classline)\n print(classline[classline.index(\"class\")+1])\n \n```\n\n[![エラー画面](https://i.stack.imgur.com/w2CSB.png)](https://i.stack.imgur.com/w2CSB.png)", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-23T18:33:54.547", "favorite_count": 0, "id": "92396", "last_activity_date": "2022-11-24T03:16:35.807", "last_edit_date": "2022-11-24T03:16:35.807", "last_editor_user_id": "3060", "owner_user_id": "55562", "post_type": "question", "score": 0, "tags": [ "python" ], "title": "Pythonで対象ディレクトリの複数のjavaファイルを探索し、定義されているクラス名を取得したい", "view_count": 158 }
[ { "body": "正規表現を使ってクラス名を列挙する例です。\n\n**サンプルコード**\n\n```\n\n import glob\n import re\n \n dir_path = r\"./target_dir\" \n pattern = re.compile(r\"\\s?class\\s+(\\w+)\")\n \n for path in glob.glob(rf\"{dir_path}/*.java\"):\n with open(path, \"r\", encoding=\"sjis\") as f:\n s = f.read()\n for m in re.finditer(pattern, s):\n class_name = m.group(1)\n print(f'{class_name} クラスが\"{f.name}\"で見つかりました。')\n \n```\n\n * ファイル内の複数のクラスを抽出できます。\n * フォルダの再帰処理はしません。\n * コメント行の判別をしません。\n * ファイルのエンコーディングをシフトJISに決め打ちで処理します。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-24T02:54:28.803", "id": "92397", "last_activity_date": "2022-11-24T02:54:28.803", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "9820", "parent_id": "92396", "post_type": "answer", "score": 2 } ]
92396
92397
92397
{ "accepted_answer_id": "92410", "answer_count": 2, "body": "EC2インスタンスのルートボリュームを縮小作業して接続し直すとファイルシステムエラーが発生します。 \n作業手順はこの記事 \n<https://qiita.com/miyasakura_/items/22d3601e06b583551301> \nを参考に作業を行いました。\n\nこの作業で、ボリュームをルートボリュームとして付け直してEC2インスタンスを再起動することでステータスチェックが2/2で成功するインスタンスもあるのですが、失敗するものもあります。\n\nこの失敗をなくすため、縮小に成功したインスタンス毎、AMIにイメージ化し、 \nそのAMIを使用し、インスタンスを立ち上げなおすのですが、 \nそうするとどうしてもステータスチェックが1/2で失敗してしまいます。\n\nステータスチェックが失敗するとsshも出来ず、システムログも取得できないため、原因特定が難しいです。\n\nこの症状の原因と対策に何が考えられるでしょうか?", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-24T05:24:36.007", "favorite_count": 0, "id": "92398", "last_activity_date": "2022-11-24T11:20:54.270", "last_edit_date": "2022-11-24T08:32:39.523", "last_editor_user_id": "36855", "owner_user_id": "36855", "post_type": "question", "score": -1, "tags": [ "aws", "amazon-ec2" ], "title": "EC2インスタンスのルートボリュームを縮小作業して接続し直すとファイルシステムエラーが発生します。", "view_count": 157 }
[ { "body": "参照された記事の冒頭には\n\n> 使用しているLinuxやパーティションの構成により方法は異なります。 \n> 本記事では以下の環境の場合の手順例をご紹介します。\n>\n> * LVMを使用している\n> * ブートローダーはGRUB2(Stage1.5を使用している)\n> * OSはLinux (本記事では RedHatEnterpriseLinux 7.5)\n> * 作業用のEC2はt2インスタンス\n>\n\nと書かれています。grubでエラーが出ているとのことですが、「ブートローダーはGRUB2(Stage1.5を使用している)」と条件は一致していますでしょうか?\n質問文には環境に関する情報がないのでわかりませんが、一致していないのであれば別の手順が必要かと思います。\n\n* * *\n\n> どうしてもステータスチェックが1/2で失敗してしまいます。\n\nステータスチェックをブラックボックスと思われているかもしれませんが、[インスタンスのステータスチェック](https://docs.aws.amazon.com/ja_jp/AWSEC2/latest/UserGuide/monitoring-\nsystem-instance-status-check.html)である程度説明されています。ステータスチェックには2種類あり、\n\n * システムステータスのチェック \n主にAWSの責任となるハードウェアの正常性チェック。\n\n * インスタンスステータスのチェック \nネットワークインターフェースがARP応答するかのチェック。OSがネットワークインターフェースを初期化しIPアドレスを与えないとARP応答できないため、OSが初期化できているかのチェックとして機能する。\n\n厳密にはインスタンスのメトリクスを見る必要がありますが、質問の背景からほぼ確実にインスタンスステータスのチェックに失敗したために **1/2**\nなのだと思います。 \n原因も明快で、OSがネットワークインターフェースを初期化するところまで起動できていないからです。 \nネットワークインターフェースを初期化できていない以上、sshできないのも当然と思われます。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-24T07:17:29.463", "id": "92402", "last_activity_date": "2022-11-24T09:19:23.573", "last_edit_date": "2022-11-24T09:19:23.573", "last_editor_user_id": "4236", "owner_user_id": "4236", "parent_id": "92398", "post_type": "answer", "score": 0 }, { "body": "<作業手順はこの記事>の手順でxfsをext4でフォーマットしてるのでファイルシステムが壊れていることが考えられます。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-24T11:20:54.270", "id": "92410", "last_activity_date": "2022-11-24T11:20:54.270", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "39754", "parent_id": "92398", "post_type": "answer", "score": 1 } ]
92398
92410
92410
{ "accepted_answer_id": null, "answer_count": 2, "body": "Reactについて勉強中です。\n\nReactの制御コンポーネントと非制御コンポーネントについてわからない点があります。 \nReactのあるコンポーネントが制御か非制御かはどのようにして決まるのでしょうか?\n\n公式ドキュメントをみるとrefを使用するかどうかで決まるのかという印象を受けました。 \n他にも何か基準があれば教えていただきたいです。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-24T06:53:16.177", "favorite_count": 0, "id": "92400", "last_activity_date": "2022-12-12T06:35:47.437", "last_edit_date": "2022-11-24T23:39:48.167", "last_editor_user_id": "3060", "owner_user_id": "54288", "post_type": "question", "score": 0, "tags": [ "reactjs" ], "title": "Reactのコンポーネントが制御か非制御かはどのようにして決まる?", "view_count": 199 }
[ { "body": "私は以下で両者の違いを理解しています。\n\n * 制御コンポーネント: フォームデータをReactのコンポーネントで扱う(`useState`などコンポーネントで管理する。)\n * 非制御コンポーネント:フォームデータをDOM自身が扱う(`ref`を使ってその値を取得する)\n\n\"公式ドキュメントを見ると\"とあるのですでに読んでいるかと思いますが、参考リンク貼っておきます。\n\n * <https://ja.reactjs.org/docs/uncontrolled-components.html>\n * <https://goshacmd.com/controlled-vs-uncontrolled-inputs-react/>", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T09:26:42.527", "id": "92444", "last_activity_date": "2022-11-26T09:26:42.527", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "53321", "parent_id": "92400", "post_type": "answer", "score": 1 }, { "body": "ref にはあんまり関係ないですかね\n\n最新のBeta docのこちらをご覧ください\n\n<https://beta.reactjs.org/learn/sharing-state-between-components#controlled-\nand-uncontrolled-components>\n\n> You might say a component is “controlled” when the important information in\n> it is driven by props rather than its own local state.", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-12T06:35:47.437", "id": "92720", "last_activity_date": "2022-12-12T06:35:47.437", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "44659", "parent_id": "92400", "post_type": "answer", "score": 0 } ]
92400
null
92444
{ "accepted_answer_id": null, "answer_count": 0, "body": "下記のようなケースでApp Scriptを利用する際、何らかの上限に引っかかる可能性はございますか?\n\n・1日最大数百件のデータ入力を、1件ごとに個別のSpreadsheetを作成して行う \n・データの妥当性を App Script で確認する \n・トリガーの豊富さ(onEditなど)から、container boundな App Script を利用する\n\n下記のドキュメントを拝見させていただいたのですが、container baseのApp Script には当てはまらないように見受けられます。 \n<https://developers.google.com/apps-script/guides/services/quotas>\n\n実際に、一度1日に50件以上container baseのApp Scriptを作ったこともあるのですが、特に問題がありませんでした。container\nbaseのApp Scriptにおける上限が記載された資料などございましたら教えていただけますと幸いです", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-24T08:19:05.777", "favorite_count": 0, "id": "92404", "last_activity_date": "2022-11-24T08:19:05.777", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55573", "post_type": "question", "score": 0, "tags": [ "google-apps-script", "google-spreadsheet" ], "title": "Google Spreadsheetの container bound な App Scriptの利用制限について", "view_count": 25 }
[]
92404
null
null
{ "accepted_answer_id": null, "answer_count": 1, "body": "下記の参照エラーですが何かの設定が不足していると思われるのですが、何が不足しているのか調べても分かりません。 \nよろしくお願いいたします。\n\nエラー内容\n\n```\n\n \"errorType\": \"ReferenceError\",\n \"errorMessage\": \"require is not defined in ES module scope, you can use import instead\",\n \n```\n\nLambdaコード\n\n```\n\n const AWS = require(\"aws-sdk\");\n const DynamoDB = new AWS.DynamoDB.DocumentClient({ region: \"ap-northeast-1\" });\n const tableName = 'PhoneNumberTable';\n \n exports.handler = async (event) => {\n // 発信者番号\n const phone = event.Details.ContactData.CustomerEndpoint.Address;\n // DynamoDBの一覧取得\n const db = await DynamoDB.scan({TableName: tableName}).promise();\n // 発信者番号が一覧に存在するかどうかの確認\n const result = db.Items.some( item => {\n return (item.PhoneNumber == phone);\n });\n return { result : result };\n };\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-24T08:45:23.177", "favorite_count": 0, "id": "92406", "last_activity_date": "2022-11-24T15:00:07.557", "last_edit_date": "2022-11-24T08:54:57.960", "last_editor_user_id": "3060", "owner_user_id": "55460", "post_type": "question", "score": 0, "tags": [ "aws", "aws-lambda", "amazon-dynamodb" ], "title": "DynamoDBに登録されている電話番号のLambdaの判定エラーについて", "view_count": 204 }
[ { "body": "エラーメッセージから見ると、コードが ES Module として扱われているようなので、require を使う書き方をするなら CommonJS\nで扱ってもらう必要がありますね。\n\nコードのファイル名が、index.mjs になっているのではないかと思われるので、これを index.js に変えてみてください。", "comment_count": 3, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-24T15:00:07.557", "id": "92413", "last_activity_date": "2022-11-24T15:00:07.557", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "5959", "parent_id": "92406", "post_type": "answer", "score": 1 } ]
92406
null
92413
{ "accepted_answer_id": "92437", "answer_count": 1, "body": "javascriptを用いてサイトのcookieをすべて削除できるブックマークレットを作成したいと考えております。(デベロッパーツールのcookieのサイト名を右クリックして出てくる「削除」と同じ動きです。) \nブラウザのコンソールで動作確認をしている中,\n\n```\n\n console.log(document.cookie); \n \n```\n\nを用いて存在するcookieの確認はできたのですが、それ以降は手つかずの状態です。\n\n```\n\n document.cookie = \"name=; max-age=0\";\n document.cookie = \"name=; expires=Fri, 31 Dec 9999 23:59:59 GMT\";\n \n```\n\nこれらのコードを用いれば良いというところまではわかりましたが、これを実行してももとからサイトで設定されているcookieが削除できません。 \nまた一律にcookieを削除する方法もわかりません。 \nどなたかご教授頂けますと幸いです。\n\n* * *\n\n以下の画像を例に説明させていただきます。 \nこちらのcookieは `HttpOnly` 属性はついておりませんし、再設定されるcookieでもありませんが、削除できません。\n\n[![件の画像です](https://i.stack.imgur.com/C5K6A.png)](https://i.stack.imgur.com/C5K6A.png)\n\n* * *\n\njavascriptでDeveloperToolのApplicationタブ、Storage / Cookies\nの下のサイト名(このページだとja.stackoverflow.com)を右クリックすると出てくる「削除」を実行できるようなスクリプトを作成したいと思っております。 \n単一の指定されたcookieの削除についてはsayuriさんの回答などから把握できましたがが、一括削除については手つかずです。 \nどうかご教授の方よろしくお願いいたします。", "comment_count": 7, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-24T09:08:35.097", "favorite_count": 0, "id": "92407", "last_activity_date": "2022-11-28T12:31:12.340", "last_edit_date": "2022-11-28T12:26:36.753", "last_editor_user_id": "4236", "owner_user_id": "54864", "post_type": "question", "score": 0, "tags": [ "javascript", "http", "cookie" ], "title": "javascriptを用いたcookieの削除ができない", "view_count": 1000 }
[ { "body": "> もとからサイトで設定されているcookieが削除できません。\n\n「何を見てこの判断されたのかがよくわかりませんでした。」と指摘しました。どのような操作を行い、cookieが削除できていないと判断したのか、操作方法がわからなければ対処方法も提示できないわけですが、通じなかったのでしょうか?\n\n* * *\n\nとりあず [HTTP Cookie の使用](https://developer.mozilla.org/ja/docs/Web/HTTP/Cookies)\nをよく読み理解してください。\n\n例えば、Webサーバーはレスポンスに `Set-Cookie` ヘッダーを含めることでブラウザーに対してcookieを書き込むことができます。更に\n`HttpOnly` 属性を含めることでブラウザーに対してJavaScriptからの操作を認めない指定も可能です。\n\nというわけで、 `document.cookie` で見えているものについては質問文の方法で削除可能ですが、その場合は `document.cookie`\nは空になるはずですし、Webサーバーからのレスポンスで改めて `Set-Cookie` されれば復活します。\n\n* * *\n\n開発者ツールを参照されているようなので、 **Application** タブの **Storage** / **Cookies** を確認ください。 \ncookieは名前だけでなく`domain`と`path`の情報があり、3つ合わせた複合キーになっています。 \n例示されました`OptanonConsent`ですと\n\n * Name: `OptanonConsent`\n * Domain: `.stackoverflow.com`\n * Path: `/`\n\nとなっています。このため、`OptanonConsent`を編集するためには\n\n```\n\n document.cookie = \"OptanonConsent=;domain=.stackoverflow.com;path=/;\";\n \n```\n\nと3つのキーを一致させた上で、値を変更してください。削除されるのであれば、max-ageやexpiresなど。\n\n* * *\n\n> 単一の指定されたcookieの削除についてはsayuriさんの回答などから把握できましたがが、一括削除については手つかずです。\n\n残念ながら方法はありません。もちろん、`document.cookie`を参照することで、Name部分を把握することはできますが、DomainとPathを知ることができないため、削除できないです。", "comment_count": 4, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T03:35:36.497", "id": "92437", "last_activity_date": "2022-11-28T12:31:12.340", "last_edit_date": "2022-11-28T12:31:12.340", "last_editor_user_id": "4236", "owner_user_id": "4236", "parent_id": "92407", "post_type": "answer", "score": 1 } ]
92407
92437
92437
{ "accepted_answer_id": null, "answer_count": 0, "body": "以前はJuypter NotebookやGoogle colabを使ってPythonのプログラム作成を行っていましたが、Pycharmでの開発も勉強中です。 \nJupyter NotebookやGoogle\ncolabでは、ひとつのコード単位(セル?単位)で実行してエラーが出たら修正を行い再度実行していました。Pycharmでは、デバッグ機能で特定の箇所まで、およびそれ以降の1行づつのデバッグは行なえますが、例えば途中のコードに誤りがあり修正後再度デバッグを実行すると、コードの最初から実行されてしまいます。このようなデバッグして修正して修正箇所だけ再度実行して確認をすることはPycharmではできないのでしょうか。 \n私がPycharmを理解していないからなのだと思うのですが、皆様がどのように効率的にこのような作業をPycharmで行っているのかご教授いただけないでしょうか。 \nよろしくお願いします。", "comment_count": 4, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-24T09:52:16.413", "favorite_count": 0, "id": "92408", "last_activity_date": "2022-11-24T09:55:13.413", "last_edit_date": "2022-11-24T09:55:13.413", "last_editor_user_id": "52223", "owner_user_id": "52223", "post_type": "question", "score": 0, "tags": [ "python", "jupyter-notebook", "pycharm" ], "title": "Pycharmでデバッグして修正を行い、修正箇所から実行することはできますか?", "view_count": 142 }
[]
92408
null
null
{ "accepted_answer_id": "92416", "answer_count": 1, "body": "rustcのバージョンは1.65.0です。\n\n以下のコードはエラーが出てコンパイルできません。\n\n**対象のコード:**\n\n```\n\n fn main() {\n test_macro! {\n 12, x, y\n }\n \n x + y + temp;\n }\n \n #[macro_export]\n macro_rules! test_macro {\n ($e:expr, $x:ident, $y:ident) => {\n let $x = $e;\n let temp = $e;\n let $y = $e;\n };\n }\n \n```\n\n**エラーメッセージ:**\n\n```\n\n error[E0425]: cannot find value `temp` in this scope\n --> src/main.rs:6:13\n |\n 6 | x + y + temp;\n | ^^^^ not found in this scope\n \n For more information about this error, try `rustc --explain E0425`.\n error: could not compile `playground` due to previous error\n \n```\n\nところで、このコードを入力として[`cargo-expand`](https://github.com/dtolnay/cargo-\nexpand)を実行すると、次のようにマクロを展開したコードが得られます。\n\n```\n\n #![feature(prelude_import)]\n #[prelude_import]\n use std::prelude::rust_2021::*;\n #[macro_use]\n extern crate std;\n fn main() {\n let x = 12;\n let temp = 12;\n let y = 12;\n x + y + temp;\n }\n \n```\n\nこれを読む限りは`temp`は(`x`,`y`と同じように)`x + y +\ntemp`の部分から見えています。(そしてこれが自分が予想していた動作でもあります)\n\nなぜ元のコードでは`temp`が見えないのか教えてください。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-24T14:29:00.077", "favorite_count": 0, "id": "92412", "last_activity_date": "2022-11-24T16:41:59.637", "last_edit_date": "2022-11-24T16:41:59.637", "last_editor_user_id": "3060", "owner_user_id": "13199", "post_type": "question", "score": 1, "tags": [ "rust" ], "title": "マクロにおける変数束縛の振る舞いについて", "view_count": 144 }
[ { "body": "Rust の宣言的マクロが変数名に関し、健全(衛生的)だからです。\n\n> 健全なマクロ(Hygienic macros)とは、識別子が誤って捕捉されてしまう問題が起こらないことが保証されているマクロである。 \n> —— [健全なマクロ -\n> Wikipedia](https://ja.wikipedia.org/wiki/%E5%81%A5%E5%85%A8%E3%81%AA%E3%83%9E%E3%82%AF%E3%83%AD)\n\n> マクロ内で導入される変数名と、マクロ呼び出し側の変数名が衝突しない。(Lispマクロの意味での衛生性) \n> —— [Rustマクロの衛生性はどのように実現されているか(1/2)\n> 識別子に関する衛生性](https://qnighy.hatenablog.com/entry/2017/03/24/070000)\n\n質問の例ですと、マクロの`let temp = $e;` が `let temp = 12;` に展開されますが、この時 `temp`\nはマクロ内に書かれていた識別子ですので、マクロの外の `temp`\nとは別物となります。自動的に名前を変更してくれていると考える事もできますが、`cargo-expand` はそれを反映して視覚化してはくれないようです。\n\nこの区別はブロックにより作られるスコープに似ています。しかし、入れ子状態が視認できるブロックとは違うので、マクロで作られた部分は「別の色で塗られている」といった説明がされるようです。\n\n> 健全マクロを理解するには、マクロが展開されるたびに、マクロから展開された部分は別の色で塗られていると考えればよい。 \n> 異なる「色」の変数は、別の名前であるかのように扱われる。 \n> —— 『プログラミングRust 第2版』 21.4.4 スコープと健全マクロ\n\n『The Little Book of Rust\nMacros』でも[背景色を塗り分けることで説明](https://danielkeep.github.io/tlborm/book/mbe-min-\nhygiene.html)されています。\n\n* * *\n\nよって、識別子をマクロの外(使用側)から持ち込めば、質問の例でもエラーになりません。\n\n```\n\n fn main() {\n test_macro! {\n 12, x, y, temp\n }\n \n println!(\"{}\", x + y + temp);\n }\n \n #[macro_export]\n macro_rules! test_macro {\n ($e:expr, $x:ident, $y:ident, $temp_var:ident) => {\n let $x = $e;\n let $temp_var = $e;\n let $y = $e;\n };\n }\n \n```\n\nあるいは、手続き的マクロでは事情が異なると思うので、より自由に識別子を扱えるかも知れません。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-24T16:39:49.920", "id": "92416", "last_activity_date": "2022-11-24T16:39:49.920", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "3054", "parent_id": "92412", "post_type": "answer", "score": 3 } ]
92412
92416
92416
{ "accepted_answer_id": null, "answer_count": 0, "body": "ijcad2021 STDにて以下の処理を試みました。右手座標系です。\n\n1.xy平面上の x>0, y>0 の領域に図形を描く。 \n2.その図形を3drotateを用いて、y軸回りに -90度 回転する \nこの結果、回転後の図形がYZ平面上の y<0 の領域に行きました。\n\nこの現象について、回転角の正負が誤っているのではないかとijcadのヘルプセンターに尋ねたところ、以下の回答がありました。 \n「弊社IJCADはAutoCADと高い互換性を持つように制作されております。 \n回転等コマンドの動作はAutoCADと同じ動きになるように制作されておりますので、お客様ご希望の動きとは異なる可能性がございます。」\n\n残念ながら、私はLT以外のAutoCADを持っておらず、動作を確認できません。 \nこの問題はオイラー角の正負の定義の話であり、Autodesk社といえどもその様な幾何学の常識に反する様な仕様を採用しているとは思えません。 \nそこで、これを読んでくださっている方にお願いがあります。LT以外のAutoCADをお持ちの方で、上記1.、2.の操作を試み、その結果をお教えいただけませんでしょうか?", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-25T01:03:17.867", "favorite_count": 0, "id": "92417", "last_activity_date": "2022-11-25T05:06:01.927", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "53006", "post_type": "question", "score": 0, "tags": [ "ijcad", "autocad" ], "title": "y軸回りの回転角の正負", "view_count": 86 }
[]
92417
null
null
{ "accepted_answer_id": "92431", "answer_count": 4, "body": "c++でクラス型変数を返却した際の処理の流れについて質問をさせていただきたいです。\n\n例えば\n\n```\n\n class Hoge{\n //クラス実装\n };\n \n Hoge func(){\n Hoge fuga;\n \n // fugaの作成\n \n return std::move(fuga);\n }\n \n int main(){\n Hoge foo = func();\n \n return 0;\n }\n \n```\n\nとした場合、func終了時の処理の流れとしては\n\n 1. fugaを使用したムーブコンスラクトによってfuncの戻り値が構築される\n 2. funcの戻り値は右辺値なので、fooはfuncの戻り値によってムーブコンストラクトされる\n\nというもので合っているのでしょうか? \n疑問に思っているのは\n\n 1. fugaは左辺値なので、funcの戻り値をfugaからムーブコンストラクトするには明示的にstd::moveする必要があると思っていますが、これは合っているのでしょうか?\n 2. 関数の戻り値によって変数の初期化が行われる場合、ムーブコンストラクトが行われるのでしょうか、それともNRVOなどでコンストラクタが省略されるのでしょうか? \nという部分となります。\n\nよろしくお願いいたします。\n\n【追記】 \n使用するC++のバージョンはC++14を想定していますが、 \nもしC++17や20で挙動が変わるようでしたら、 \nそれを含めて教えていただけますと幸いです。", "comment_count": 3, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-25T04:39:45.450", "favorite_count": 0, "id": "92421", "last_activity_date": "2022-11-25T13:53:38.137", "last_edit_date": "2022-11-25T04:57:50.523", "last_editor_user_id": "55583", "owner_user_id": "55583", "post_type": "question", "score": 1, "tags": [ "c++" ], "title": "クラス型変数をreturnした際の流れにつきまして", "view_count": 703 }
[ { "body": "提示コードは NRVO ができなくなる典型例ですよね\n\n```\n\n #include <utility>\n class Hoge {};\n Hoge func1() {\n Hoge h;\n return h;\n }\n Hoge func2() {\n Hoge h;\n return std::move(h);\n }\n \n```\n\nというコードに対して g++ / clang++ は\n\n```\n\n $ g++ -std=c++14 -W -Wall -pedantic -O -g -c nrvo.cpp \n nrvo.cpp: In function 'Hoge func2()':\n nrvo.cpp:9:21: warning: moving a local object in a return statement prevents copy elision [-Wpessimizing-move]\n 9 | return std::move(h);\n | ~~~~~~~~~^~~\n nrvo.cpp:9:21: note: remove 'std::move' call\n $ clang++ -std=c++14 -W -Wall -pedantic -O -g -c nrvo.cpp \n nrvo.cpp:9:12: warning: moving a local object in a return statement prevents copy elision [-Wpessimizing-move]\n return std::move(h);\n ^\n nrvo.cpp:9:12: note: remove std::move call here\n return std::move(h);\n ^~~~~~~~~~ ~\n 1 warning generated.\n $\n \n```\n\nのように文句を言いますので、この例では `std::move` を書かないほうが良いと判断されているようです。\n\n```\n\n $ g++ --version\n g++ (GCC) 11.3.0\n Copyright (C) 2021 Free Software Foundation, Inc.\n This is free software; see the source for copying conditions. There is NO\n warranty; not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.\n \n $ clang++ --version\n clang version 8.0.1 (tags/RELEASE_801/final)\n Target: x86_64-unknown-windows-cygnus\n Thread model: posix\n InstalledDir: /usr/bin\n $ uname -a\n CYGWIN_NT-10.0-19044 mypc 3.3.6-341.x86_64 2022-09-05 11:15 UTC x86_64 Cygwin\n $\n \n```\n\nちなみに警告は `-std=c++17` でも表示されました。\n\nRVO/NRVO はほとんどのコンパイラで C++98 の頃から実装されてました(言語規格書的には義務付けられていないけど)ので、下位互換性まで考えて\n`std::move` なしで書くべきでしょう。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-25T07:06:28.333", "id": "92423", "last_activity_date": "2022-11-25T07:06:28.333", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "8589", "parent_id": "92421", "post_type": "answer", "score": 3 }, { "body": "> * `fuga` は左辺値なので、 `func` の戻り値を `fuga` からムーブコンストラクトするには明示的に `std::move`\n> する必要があると思っていますが、これは合っているのでしょうか?\n> *\n> 関数の戻り値によって変数の初期化が行われる場合、ムーブコンストラクトが行われるのでしょうか、それともNRVOなどでコンストラクタが省略されるのでしょうか?\n>\n\n誤っています。\n\n[戻り値の型が参照ではない関数を呼び出した結果の型は prvalue](https://timsong-\ncpp.github.io/cppwp/n3337/basic.lval#1.5)です。 `return`\n式に与えられている式が右辺値か左辺値かに関係なく。\n\n`prvalue` は右辺値の一種とみなされ `foo` の初期化子として現れた場合にはムーブが発生しますが「`prvalue`\nで初期化するときはコピーを省略してもかまわない (C++17\n以降は省略しなければならない)」という規則が適用され、またそのときにはコピーもムーブもされません。 直接初期化されたのと同じであるとみなされます。\n\n`return` に与える式について `std::move` を使った場合には一時オブジェクトの生成に対してムーブを強制することになってしまいます。\nコピーであれば省略できるコピーと解釈されるところをムーブを強制すればムーブは確実にされます。\n\n素朴な解釈だと「`return`\nに与えた式」→「変数が返す一時オブジェクト(変数の初期化子)」→「コンストラクタに渡される値」という段階があり各所でコピーが発生してしまうので色々と条件を付けて省略できるようになっているわけです。\n今回の質問の例では `return` 式で `std::move`\nをしようがしまいが関数の返却値から変数の初期化ではコピーもムーブも省略できる条件が揃うわけですが、一時オブジェクトの生成について `std::move` が\n(ムーブの強制になるので) コピーの省略を阻害するという形になります。", "comment_count": 4, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-25T09:09:40.517", "id": "92425", "last_activity_date": "2022-11-25T09:09:40.517", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "3364", "parent_id": "92421", "post_type": "answer", "score": 2 }, { "body": "# 回答ではありません\n\n回答者に依頼しても出てこないので、簡単に出来る範囲で調べてみました(別途質問もできないので)。 \n簡単な検証結果を置いておきます。\n\n```\n\n #include <iostream>\n using namespace std;\n struct Hoge{\n Hoge() {cout << \"Hoge()\" << endl;}\n Hoge(const Hoge& org) {cout << \"Hoge(const Hoge&)\" << endl;}\n Hoge& operator=(const Hoge& org) {cout << \"operator=(const Hoge&)\" << endl;return *this;}\n ~Hoge() {cout << \"~Hoge()\" << endl;}\n #if (__cplusplus >= 201103L)\n Hoge(Hoge&& org) {cout << \"Hoge(Hoge&&)\" << endl;}\n Hoge& operator=(Hoge&& org) {cout << \"operator=(Hoge&&)\" << endl;return *this;}\n #endif\n };\n Hoge func(){\n Hoge fuga;\n return fuga;\n }\n int main(){\n Hoge foo1 = func();\n Hoge foo2 = foo1;\n foo2 = foo1;\n #if (__cplusplus >= 201103L)\n Hoge foo3 = std::move(foo1);\n foo3 = std::move(foo2);\n #endif\n return 0;\n }\n \n```\n\nこれを以下のサイトで実行してみました。 \n<https://godbolt.org/> \n対象は以下の処理系です。 \nclang x86-64 3.3, 3.4.1, 3.5.2, 3.6, 3.7, 3.8.1, 3.9.1, 4.0.1, 5.0.2, 6.0.1,\n7.0.1, 7.1.0, 8.0.1, 9.0.1, 10.0.1, 11.0.1, 12.0.1, 13.0.1, 14.0.0, 15.0.0 \n3.3, 3.4.1, 3.5.2, 3.6, 3.7, 3.8.1, 3.9.1, 4.0.1, 5.0.2, 6.0.1, 7.0.1, 7.1.0,\n8.0.1, 9.0.1, 10.0.1, 11.0.1, 12.0.1, 13.0.1, 14.0.0, 15.0.0 \ngcc x86-64 4.7.4, 4.8.5, 4.9.3, 5.5, 6.4, 7.5, 8.5, 9,5, 10.4, 11.3, 12.2 \nmsvc x64 19.33(これのみ実施) \n(末尾のバージョンだけ違う場合は最大のもの以外は未実施)\n\n確認項目1 \n-Wall -std=c++98で以下の出力であること。(msvcは未実施)\n```\n\n Hoge()\n Hoge(const Hoge&)\n operator=(const Hoge&)\n ~Hoge()\n ~Hoge()\n \n```\n\n確認項目2 \n-Wall -std=c++XX(XXは11,14,17,2a,20,2b,23でコンパイル可能な最大値)で以下の出力であること。\n```\n\n Hoge()\n Hoge(const Hoge&)\n operator=(const Hoge&)\n Hoge(Hoge&&)\n operator=(Hoge&&)\n ~Hoge()\n ~Hoge()\n ~Hoge()\n \n```\n\n(msvcは/std:c++20 /Zc:__cplusplus /O2で実施。/O2を外して最適化を切るとcopyが入る。) \n※確認は目視(アセンブラは見てない)です。こういうテストが出来るオンラインの環境があると楽なんですが…。\n\n結果 \nclang/gccについては記載したバージョン全てでコピー省略が最適化なしで確認できた。msvcでは最適化時のみ確認できた。\n\n追記 \nmsvcで最適化しないときの出力ではmove constructorになってました。\n\n```\n\n Hoge()\n Hoge(Hoge&&)\n ~Hoge()\n Hoge(const Hoge&)\n operator=(const Hoge&)\n Hoge(Hoge&&)\n operator=(Hoge&&)\n ~Hoge()\n ~Hoge()\n ~Hoge()\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-25T12:00:27.817", "id": "92429", "last_activity_date": "2022-11-25T13:39:03.633", "last_edit_date": "2022-11-25T13:39:03.633", "last_editor_user_id": "54957", "owner_user_id": "54957", "parent_id": "92421", "post_type": "answer", "score": 0 }, { "body": "> func終了時の処理の流れとしては\n>\n> 1. fugaを使用したムーブコンスラクトによってfuncの戻り値が構築される\n> 2. funcの戻り値は右辺値なので、fooはfuncの戻り値によってムーブコンストラクトされる\n>\n\n>\n> というもので合っているのでしょうか?\n\nいずれも部分的には正しいです。厳密な挙動は下記の通りです。\n\n 1. `std::move`関数の明示利用により、常にムーブコンストラクトが行われます。 \n * このケースでは`std::move`関数を利用しない、つまり`return fuga;`という記述が好ましいです。最悪でも暗黙のムーブによるムーブコンストラクトが保証されます。\n * C++コンパイラの最適化によってはNRVO(Named Return Value Optimization)が行われ、ムーブコンストラクタ呼び出しが省略される可能性があります。\n 2. C++11〜C++14までと、C++17以降で挙動が異なります。 \n * C++11〜C++14:最悪でもムーブコンストラクトが行われます(コピーコンストラクトではなく)。C++コンパイラの最適化によってはRVO(Return Value Optimization)が行われ、ムーブコンストラクタ呼び出しが省略される可能性があります。\n * C++17以降:常にRVO(Return Value Optimization)が行われると保証されます。\n\n* * *\n\n>\n> fugaは左辺値なので、funcの戻り値をfugaからムーブコンストラクトするには明示的にstd::moveする必要があると思っていますが、これは合っているのでしょうか?\n\nいいえ。\n\nローカル変数の名前(左辺値)をreturn文に指定する場合、まずは右辺値であるかのように読み替えられてムーブコンストラクトが試行されます。この試行がコンパイルエラーとなるようであれば、元の左辺値から改めてコピーコンストラクトが試行されます。\n\n>\n> 関数の戻り値によって変数の初期化が行われる場合、ムーブコンストラクトが行われるのでしょうか、それともNRVOなどでコンストラクタが省略されるのでしょうか?\n\n上記回答の通りです。なお、ここでの最適化は\"NRVO\"ではなく\"RVO\"です。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-25T13:13:46.363", "id": "92431", "last_activity_date": "2022-11-25T13:53:38.137", "last_edit_date": "2022-11-25T13:53:38.137", "last_editor_user_id": "49", "owner_user_id": "49", "parent_id": "92421", "post_type": "answer", "score": 3 } ]
92421
92431
92423
{ "accepted_answer_id": "92430", "answer_count": 1, "body": "spresenseで2~3プロジェクトをconfig.pyにてmodulazes?したいのですが、Mキーが押せず、できない状態です。 \n「Y」キーで必要なプロジェクトを有効化するとコンパイルエラーになります。 \nまた、spresense始めたばかりで認識不足のことが多いため、間違っていたりすれば、ぜひご指摘くださいませ。 \nよろしくお願いいたします。\n\nmake.def等覗いてみましたが、プロジェクトの中でまとめてコンパイルすることまではできました。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-25T07:14:48.120", "favorite_count": 0, "id": "92424", "last_activity_date": "2022-11-25T13:12:40.470", "last_edit_date": "2022-11-25T07:44:31.347", "last_editor_user_id": "31378", "owner_user_id": "55585", "post_type": "question", "score": 0, "tags": [ "spresense" ], "title": "spresnense config.pyにてモジュール化?ができない。", "view_count": 80 }
[ { "body": "「M」キーが押せないというのは、アプリケーションをローダブルELFにしたいということかなと思います。\n\nローダブルELFについては、こちらのチュートリアルが参考になると思います。 \n[https://developer.sony.com/develop/spresense/docs/sdk_tutorials_ja.html#_ローダブルelfチュートリアル](https://developer.sony.com/develop/spresense/docs/sdk_tutorials_ja.html#_%E3%83%AD%E3%83%BC%E3%83%80%E3%83%96%E3%83%ABelf%E3%83%81%E3%83%A5%E3%83%BC%E3%83%88%E3%83%AA%E3%82%A2%E3%83%AB)\n\n手順としては、アプリのKconfigを`tristate`にしておく\n\n```\n\n config EXAMPLES_XXX\n tristate \"XXX example\"\n default n\n \n```\n\nそして`feature/loadble`を有効にした状態で、`menuconfig`を開くと、 \n`tristate`を設定したCONFIGに関して「Y」「M」「N」から選択できるようになります。\n\n```\n\n $ ./tools/config.py feature/loadble\n $ ./tools/config.py -m\n \n```\n\nP.S. \n「Y」キーで必要なプロジェクトを有効化するとコンパイルエラーになるということなので、 \nこれは「M」キーでモジュールに変えても同じくコンパイルエラーになるような気がします。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-25T13:12:40.470", "id": "92430", "last_activity_date": "2022-11-25T13:12:40.470", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "31378", "parent_id": "92424", "post_type": "answer", "score": 1 } ]
92424
92430
92430
{ "accepted_answer_id": "92434", "answer_count": 2, "body": "ご存じの方、ご教示頂きたくお願いいたします。\n\n現在、C# で `SerialPort` クラスを使用してモデムテスターを開発しています。\n\n`System.IO.Ports.Handshake.RequestToSend` を使用せずに RTS/CTS を手動で制御する方法はありますか?\n\nデータ送受信の流れは以下の通りです。\n\n 0. シリアルポートを開きます。\n 1. RTS を ON にします。\n 2. CTS の ON を待ちます。\n 3. CTS が ON になったら、バイトデータを送信します。\n 4. データ送信が完了したら RTS を OFF します。\n 5. 相手側からのデータ受信を待ちます。\n 6. 相手側からのデータを受信します。\n\n上記 1. ~ 6. を繰り返します。\n\n上記の 1. ~ 2. と 4. を実現するため `SerialPort` クラスのプロパティは\n\n * `SerialPort.RtsEnable` → `true`: RTS ON, `false`: RTS OFF\n * `SerialPort.CtsHolding` → `true`: CTS ON, `false`: CTS OFF\n\nと考えています。\n\n試しに、RTS信号の出力がCTS信号に入力されるようにRS232Cケーブルを配線してみました。 \nこの RS232C ケーブルを使って以下のコードで検証しましたが、`SerialPort.CtsHolding` が `true`\nにならずタイムアウトしてしまいます。\n\n`SerialPort.RtsEnable` を `true` に設定しても、RTS は ON(Hight) にはならないのでしょうか? \n(Win32API を使用するしかないのでしょうか...)\n\n```\n\n public class SerialCommunicationTester : System.IDisposable\n {\n private System.IO.Ports.SerialPort _serialPort = null;\n \n // 0. Open SerialPort.\n public bool Open(\n string portName,\n int baudRate,\n int dataBits,\n System.IO.Ports.Parity parity,\n System.IO.Ports.StopBits stopBits,\n int readTimeout,\n int writeTimeout,\n ) {\n _serialPort.PortName = portName;\n _serialPort.BaudRate = baudRate;\n _serialPort.DataBits = dataBits;\n _serialPort.Parity = parity;\n _serialPort.StopBits = stopBits;\n _serialPort.Handshake = Handshake.None;\n _serialPort.ReadTimeout = readTimeout;\n _serialPort.WriteTimeout = writeTimeout;\n \n try {\n _serialPort.Open();\n } catch (Exception ex) {\n Console.WriteLine(\"SerialPort#Open Failed...{0}\", ex);\n }\n \n return _serialPort.IsOpen;\n }\n \n // 1. Set to RTS \"High\" and 2. Wait for CTS to go \"High\".\n public bool RtsCtsFlowCtrl(uint timeout) {\n \n if (!_serialPort.IsOpen) return false;\n \n bool result = true;\n // 1. Set to RTS \"High\"\n _serialPort.RtsEnable = true;\n Stopwatch sw = new Stopwatch();\n sw.Start();\n // 2. Wait for CTS to go \"High\".\n while (true) {\n Thread.Sleep(0);\n if (_serialPort.CtsHolding) break;\n if (0 < timeout && timeout <= sw.ElapsedMilliseconds) {\n result = false;\n break;\n }\n }\n sw.Stop();\n return result;\n }\n \n // 4. Set to RTS \"Low\"\n public void RtsOff() {\n if (_serialPort.IsOpen) _serialPort.RtsEnable = false;\n }\n }\n \n```", "comment_count": 5, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-25T10:16:48.270", "favorite_count": 0, "id": "92426", "last_activity_date": "2022-11-28T09:51:46.360", "last_edit_date": "2022-11-25T23:19:42.140", "last_editor_user_id": "4236", "owner_user_id": "55588", "post_type": "question", "score": 0, "tags": [ "c#", "シリアル通信" ], "title": "C# SerialPort クラスを使用して RTS/CTS を手動で制御する方法", "view_count": 952 }
[ { "body": ".NETのソースコードを読む限り、期待通りの動作をしています。つまり、\n\n[`SerialPort.RtsEnable`プロパティは最終的に](https://github.com/dotnet/runtime/blob/v7.0.0/src/libraries/System.IO.Ports/src/System/IO/Ports/SerialStream.Windows.cs#L419)\n\n```\n\n EscapeCommFunction(_handle, <SerialPort.RtsEnableの値> ? SETRTS : CLRRTS);\n \n```\n\nが呼ばれますし、[`SerialPort.CtsHolding`プロパティ](https://github.com/dotnet/runtime/blob/v7.0.0/src/libraries/System.IO.Ports/src/System/IO/Ports/SerialStream.Windows.cs#L501-L511)は\n\n```\n\n <GetCommModemStatus()の結果> & MS_CTS_ON\n \n```\n\nを指しています。\n\n* * *\n\n> SerialPort.CtsHolding が true にならずタイムアウトしてしまいます。\n\nは原因が別のところにあるかもしれません。例えば、タイムアウトを **1秒** に設定したが、\n\n>\n```\n\n> if (0 < timeout && timeout <= sw.ElapsedMilliseconds) {\n> \n```\n\nの比較により **1ミリ秒** でタイムアウト判定されてしまった、なども考えられます。\n\nちなみに.NETではこのような時間単位の誤りを防ぐために [`TimeSpan`型](https://learn.microsoft.com/ja-\njp/dotnet/api/system.timespan?view=net-7.0)が用意されています。\n`TimeSpan.FromSeconds(1)` や `TimeSpan.FromMilliseconds(1)` という記述が可能です。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-25T23:31:29.957", "id": "92434", "last_activity_date": "2022-11-25T23:31:29.957", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "4236", "parent_id": "92426", "post_type": "answer", "score": 1 }, { "body": "@kunif 様、@sayuri 様 \nお忙しいところコメント、および、回答を頂き有難う御座います。\n\n本日、投稿時と同一状態で再度動作確認を行いましたところ、 \nRTS High → CTS Higt を確認できました。\n\n何故、投稿時に期待した動作とならなかったのか明確な原因は不明ですが、 \n・デバッグ開始/停止の繰り返しによる影響 \n・他処理の不具合による影響 \n等々であったのではないかと推察されます。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T09:51:46.360", "id": "92480", "last_activity_date": "2022-11-28T09:51:46.360", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55588", "parent_id": "92426", "post_type": "answer", "score": 0 } ]
92426
92434
92434
{ "accepted_answer_id": "92461", "answer_count": 1, "body": "[Rails API × Next]の構成で、セッションCookieを使ってログイン状態の管理をする予定です。 \nこの場合、Rails APIにCORSの設定をするだけで、CSRF対策は万全といえるのでしょうか??\n\nCORSが設定されていれば、悪意のある外部サイト(異なるオリジン)からのリクエストを防いでくれるので、セッションCookieを利用した偽造リクエストもできないのかなと思っています。 \nどなたか詳しい方、教えていただけると助かります。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-25T13:55:32.143", "favorite_count": 0, "id": "92432", "last_activity_date": "2022-11-27T06:15:45.960", "last_edit_date": "2022-11-26T12:31:05.503", "last_editor_user_id": "43337", "owner_user_id": "43337", "post_type": "question", "score": 0, "tags": [ "ruby-on-rails", "security", "next.js", "cors" ], "title": "Rails API × Next におけるCSRF対策はCORSの設定だけで良いのかどうか", "view_count": 305 }
[ { "body": "CORSはCSRFの対策にならないという話(あるいはCORSは何でないか) \n<https://qiita.com/netebakari/items/41baa7e1d0b8d89f9d12>\n\n>\n> CORSはユーザーの意図しないリクエストを発生させることを防ぐためのものではなく、返ってきた値を邪悪なJavaScriptのコードが参照することを防ぐためのものです。リクエスト自体はいくらでも発生させることができるので、サーバー側の検証なしでCSRF対策とすることはできません。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-27T06:15:45.960", "id": "92461", "last_activity_date": "2022-11-27T06:15:45.960", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "15380", "parent_id": "92432", "post_type": "answer", "score": 1 } ]
92432
92461
92461
{ "accepted_answer_id": null, "answer_count": 1, "body": "TSSfinderが動かないので自分で書き直していますがエラーが止まりません。やっとこの辺りまで来ました。以下のスクリプトのどこがおかしいかどなたかご教示ください。\n\nこのスクリプトでみられるエラーは次の通りです。\n\nひと通り配列を吐き出して最後に謎の\"1\"を出力してから下のエラーを吐き出します。\n\n**エラーメッセージ:**\n\n```\n\n Traceback (most recent call last):\n File \"./new_tssfinder_2.py\", line 115, in <module>\n predict()\n File \"/home/iceplant4561/anaconda3/envs/tssfinder/lib/python3.6/site-packages/click/core.py\", line 722, in __call__\n return self.main(*args, **kwargs)\n File \"/home/iceplant4561/anaconda3/envs/tssfinder/lib/python3.6/site-packages/click/core.py\", line 697, in main\n rv = self.invoke(ctx)\n File \"/home/iceplant4561/anaconda3/envs/tssfinder/lib/python3.6/site-packages/click/core.py\", line 895, in invoke\n return ctx.invoke(self.callback, **ctx.params)\n File \"/home/iceplant4561/anaconda3/envs/tssfinder/lib/python3.6/site-packages/click/core.py\", line 535, in invoke\n return callback(*args, **kwargs)\n File \"./new_tssfinder_2.py\", line 88, in predict\n chrm[print(seq_r.id)] = print(seq_r.seq)\n \n```\n\n**現状のコード:**\n\n```\n\n #!/usr/bin/env python\n \n import sys\n import pandas as pd\n from Bio import SeqIO\n from subprocess import Popen, PIPE, STDOUT\n import os\n import click\n from Bio.Seq import Seq\n from Bio.SeqRecord import SeqRecord\n \n \n CURR_DIR = os.path.dirname(os.path.realpath(__file__))\n \n MYOP_PROM_BIN = os.path.join(CURR_DIR, \"/home/iceplant4561/Agarie_group/ice_plant_genome_from_GSA/TSSfinder/training_sets/new_tssfinder_2.py\")\n \n def rev(seq):\n rev_fasta = []\n for i in reversed(seq):\n if i.upper() == 'A':\n rev_fasta.append('T')\n elif i.upper() == 'C':\n rev_fasta.append('G')\n elif i.upper() == 'G':\n rev_fasta.append('C')\n elif i.upper() == 'T':\n rev_fasta.append('A')\n else:\n rev_fasta.append(i.upper())\n return ''.join(rev_fasta)\n \n def extract_fasta_to_predict(chrm, start1, max_size):\n \n dists = []\n for i in range(50, 601, 50):\n dists += [i]*50\n dists = ['600']*(max_size-len(dists)) + list(reversed(dists))\n return dists\n \n for row in start1.iterrows():\n \n if row['strand'] == '+':\n if row['begin'] - max_size + 1 < 0:\n a = 0\n else:\n a = row['begin'] - max_size + 1\n seq = list(zip(chrm[str(row['chr'])][a:row['begin']+1], dists))\n else:\n if row['begin']+max_size > len(chrm[str(row['chr'])]):\n b = len(chrm[str(row['chr'])])\n else:\n b = row['begin']+max_size\n seq = list(zip(rev(chrm[str(row['chr'])][row['begin']:b]), dists))\n \n seq[0] = ('NPROMOTER', 'NPROMOTER')\n seq[-1] = ('NPROMOTER', 'NPROMOTER')\n return row,seq\n \n def find_features(prediction):\n #print(prediction)\n try:\n tss_pos = prediction.index(\"TSS-0\")\n except:\n tss_pos = -1\n \n try:\n tata_pos = prediction.index(\"TATA-0\")\n except:\n tata_pos = -1\n \n return tss_pos, tata_pos\n \n @click.command()\n @click.option('--model', type=click.Path(exists=True), help='model directory')\n @click.option('--start', type=click.File('rt'), help='start codons BED file')\n @click.option('--genome', type=click.File('rt'), help='genome FASTA file')\n @click.option('--output', type=click.Path(exists=True), help='output directory')\n @click.option('--max_seq_size', type=int, default=1500, help='maximum sequence size to be analysed')\n def predict(model, start, genome, output, max_seq_size):\n start_file = start\n fasta_file = genome\n outdir = output\n \n start1 = pd.read_csv(start_file, sep=\"\\t\", names=['chr', 'begin', 'end', 'gene_name', 'score', 'strand'])\n \n chrm = []\n for seq_r in SeqIO.parse(open(\"athaliana/genome.fasta\"), 'fasta'): \n chrm[print(seq_r.id)] = print(seq_r.seq)\n \n tss_file = open(os.path.join(outdir, 'out.tss.bed'), \"w\")\n tata_file = open(os.path.join(outdir, 'out.tata.bed'), \"w\")\n \n for gene in extract_fasta_to_predict(chrm, start1, max_size=max_seq_size):\n p = Popen(\"{} w {}\".format(MYOP_PROM_BIN, model).split(), stdout=PIPE, stdin=PIPE)\n for n, d in fasta:\n p.stdin.write(\"{}\\t{}\\n\".format(n, d).encode(\"ascii\"))\n tss_pos, tata_pos = find_features(p.communicate()[0].decode().split(\"\\n\"))\n if tss_pos > 0:\n tss_pos = len(fasta) - tss_pos\n if gene['strand'] == \"+\":\n tss_file.write(\"{}\\t{}\\t{}\\t{}\\t1\\t{}\\n\".format(gene['chr'], int(gene['begin']) - tss_pos, int(gene['begin']) - tss_pos + 1, gene['gene_name'], gene['strand']))\n else:\n tss_file.write(\"{}\\t{}\\t{}\\t{}\\t1\\t{}\\n\".format(gene['chr'], int(gene['begin']) + tss_pos + 1, int(gene['begin']) + tss_pos + 2, gene['gene_name'], gene['strand']))\n if tata_pos > 0:\n tata_pos = len(fasta) - tata_pos\n if gene['strand'] == \"+\":\n tata_file.write(\"{}\\t{}\\t{}\\t{}\\t1\\t{}\\n\".format(gene['chr'], int(gene['begin']) - tata_pos, int(gene['begin']) - tata_pos + 1, gene['gene_name'], gene['strand']))\n else:\n tata_file.write(\"{}\\t{}\\t{}\\t{}\\t1\\t{}\\n\".format(gene['chr'], int(gene['begin']) + tata_pos + 1, int(gene['begin']) + tata_pos + 2, gene['gene_name'], gene['strand']))\n return fasta,seq\n tss_file.close()\n tata_file.close()\n \n if __name__ == '__main__':\n predict()\n \n```", "comment_count": 4, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-25T22:02:33.637", "favorite_count": 0, "id": "92433", "last_activity_date": "2022-11-27T05:31:42.423", "last_edit_date": "2022-11-27T05:31:42.423", "last_editor_user_id": "47127", "owner_user_id": "55599", "post_type": "question", "score": 1, "tags": [ "python", "python3", "bioinformatics" ], "title": "TSSfinder を動作させようとするとエラーが発生してしまう", "view_count": 116 }
[ { "body": "質問の全体的な内容が[バイオインフォマティクス武者修行 #4 ~TSSfinder~\nだれかたすけて](https://note.com/onigiri_benzene/n/n59f2d073fd5a)と同じであると仮定すると、現在発生している問題は質問への転記不足?である最後の行でしょう。\n\n```\n\n File \"./new_tssfinder_2.py\", line 88, in predict\n chrm[print(seq_r.id)] = print(seq_r.seq)\n TypeError: list indices must be integers or slices, not NoneType\n \n```\n\nnote記事でも幾つか見受けられますが、`print(...)`の戻り値は`None`であり、その結果を有効な値として使用することは出来ません。 \nだから`ひと通り配列を吐き出して`の部分は上記の`print(seq_r.id)`と`print(seq_r.seq)`が行われた結果かもしれません。ただしループの最初で直ぐにエラーになるはずなので`ひと通り`というのは謎ですが。 \n(あるいは質問やnote記事には書かれなかったか、使っている関数/メソッドが自動的にか、データを表示しているのかも?\nそして`最後に謎の\"1\"を出力`というのがループの最初の`print(seq_r.seq)`の部分で、その結果(None)を`chrm[print(seq_r.id)]\n=`で代入しようとしてエラーになっているのかも?)\n\nnote記事の`下のように書き直す`に書かれた以下の部分(も少し間違っている訳ですが)と対比させると:\n\n```\n\n start = pd.read_csv(start_file, sep=\"\\t\", names=['chr', 'begin', 'end', 'gene_name', 'score', 'strand'])\n \n chrm = {}\n for f in SeqIO.parse(open(fasta_file), 'fasta'):\n name = print(f.id)\n chrm[name] = str(f.seq)\n \n```\n\nソースコードの以下の部分を\n\n```\n\n chrm = []\n for seq_r in SeqIO.parse(open(\"athaliana/genome.fasta\"), 'fasta'):\n chrm[print(seq_r.id)] = print(seq_r.seq)\n \n```\n\nこちらのように変更して試してみてはどうでしょう?\n\n```\n\n chrm = {} #### リストではなく辞書として初期化\n for seq_r in SeqIO.parse(open(\"athaliana/genome.fasta\"), 'fasta'):\n chrm[str(seq_r.id)] = str(seq_r.seq) #### print() ではなく str() を使う\n \n```\n\n他にも色々と問題が潜んでいそうですが、取り敢えずは何かしらの変化があると思われます。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T11:56:21.437", "id": "92446", "last_activity_date": "2022-11-26T23:05:45.440", "last_edit_date": "2022-11-26T23:05:45.440", "last_editor_user_id": "26370", "owner_user_id": "26370", "parent_id": "92433", "post_type": "answer", "score": 0 } ]
92433
null
92446
{ "accepted_answer_id": "92436", "answer_count": 3, "body": "C++で以下のようにwhileループを回しながら、テキストファイルに上書きをしていきたいです。 \n下記のコードだと \"text\" という文字が \"texttexttext\" と追記されていってしまいます。上書きをするにはどうしたら良いですか?\n\n```\n\n #define TEMP_FILE_NAME \"\\\\tmp.txt\"\n std::ofstream ofs;\n \n SHGetFolderPath(NULL, CSIDL_APPDATA|CSIDL_FLAG_CREATE, NULL, 0, TmpPath); \n PathAppend(TmpPath, _T(TEMP_FILE_NAME));\n \n remove(TmpPath);\n ofs.open(TmpPath,std::ios::trunc);\n \n while(true)\n {\n ofs << \"test\";\n }\n \n```", "comment_count": 3, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T02:00:06.900", "favorite_count": 0, "id": "92435", "last_activity_date": "2022-12-03T08:52:25.290", "last_edit_date": "2022-11-26T05:47:34.230", "last_editor_user_id": "3060", "owner_user_id": "36446", "post_type": "question", "score": 0, "tags": [ "c++" ], "title": "C++でテキストファイルに上書きしていく方法", "view_count": 1027 }
[ { "body": "C++言語ではコンストラクタ・デストラクタが用意されており、[RAII](https://ja.wikipedia.org/wiki/RAII)が実現されています。\n\n質問のように\n\n>\n```\n\n> std::ofstream ofs;\n> \n```\n\nと実際の変数利用タイミングと全く異なる位置に変数定義してしまうと、コンストラクタ・デストラクタが期待されるタイミングで動作しません。\n\n```\n\n for (;;) {\n std::ofstream ofs;\n ofs.open(TmpPath,std::ios::trunc);\n ofs << \"test\";\n }\n \n```\n\nと変数利用個所で定義されていれば、ループ毎に`ofs`はコンストラクタ・デストラクタが動作し、毎回ファイルへの書き出し・クローズ処理が行われるようになります。\n\nその上でこのように使われることを想定し、`std::ofstream`コンストラクタは`open()`を自動的に呼ぶ機能も備えられており、\n\n```\n\n for (;;) {\n std::ofstream ofs{ TmpPath, std::ios::trunc };\n ofs << \"test\";\n }\n \n```\n\nとできます。この場合、`std::ofstream ofs{ TmpPath, std::ios::trunc }`\nの行でファイルオープンが行われ、ループ末尾の `}` でバッファフラッシュとファイルクローズが行われます。\n\nもし仮に`test`のみを書き込みたいのであれば、変数を付けずに\n\n```\n\n for (;;) {\n std::ofstream{ TmpPath, std::ios::trunc } << \"test\";\n }\n \n```\n\nと書くことができます。この場合、この1行だけで、ファイルオープン・バッファフラッシュ・ファイルクローズが行われますので、ループ内に他の処理があってもファイル操作のタイミングが明確になります。\n\n* * *\n\n>\n```\n\n> PathAppend(TmpPath, _T(TEMP_FILE_NAME));\n> remove(TmpPath);\n> \n```\n\nC++17から[`<filesystem>`](https://cpprefjp.github.io/reference/filesystem.html)が提供されており、こういったパス操作・ファイル操作が可能になっています。\n\n```\n\n #include <filesystem>\n ...\n auto const path = std::filesystem::path{ TmpPath } / TEMP_FILE_NAME;\n std::filesystem::remove(path);\n for (;;) {\n std::ofstream ofs{ path, std::ios::trunc };\n ofs << \"test\";\n }\n \n```\n\n* * *\n\nakira ejiriさんのこの回答は非常に危険な行為であり、推奨できません。\n\n> ofstreamはファイルディスクリプタをメンバに持っているのですが、publicではなく、継承しないと見えません(でした)。\n```\n\n> struct tmpfilebuf : public std::basic_filebuf<std::ofstream::char_type>\n> {\n> tmpfilebuf(std::basic_filebuf<std::ofstream::char_type> &&other)\n> : std::basic_filebuf<std::ofstream::char_type>(std::move(other))\n> {\n> }\n> int fd() { return this->_M_file.fd(); }\n> };\n> \n```\n\n[識別子](https://ja.cppreference.com/w/cpp/language/identifiers)に\n\n> * キーワードである識別子は、それ以外の目的に使用することはできません。\n> * いずれかの場所に二重のアンダースコアを持つ識別子は予約されています。\n> * アンダースコアで始まりその直後に大文字が続く識別子は予約されています。\n> * アンダースコアで始まる識別子はグローバル名前空間では予約されています。\n>\n\nとあるように `_M_file` は予約語であり、この場合、GCC付属のlibstdc++が独自に使用しているものです。いくつかの実装を調べました。\n\n * [GCC libstdc++-v3の`fstream`](https://github.com/gcc-mirror/gcc/blob/releases/gcc-12.2.0/libstdc++-v3/include/std/fstream#L84-L123) \n[GCC 3.3.0で登場](https://github.com/gcc-\nmirror/gcc/commit/d3a193e36cdf55fbff3bd0f244bc36bc09871ee1#diff-78f7933954d13f1dde6d4132bf108dfc91c2e82b0665ccd94fdffc57ada6f755)して以降20年ほど変更ない\n\n * [LLVM libc++の`fstream`](https://github.com/llvm/llvm-project/blob/llvmorg-15.0.0/libcxx/include/fstream#L214-L293) \n`FILE* __file_;`はあるが`private`でありpublic継承しても参照できない\n\n * [Microsoft STLの`fstream`](https://github.com/microsoft/STL/blob/main/stl/inc/fstream#L164-L799) \n`FILE* _Myfile;`はあるが`private`でありpublic継承しても参照できない\n\nとなっていて、GCCにのみ通用する特殊な技です。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T03:04:39.000", "id": "92436", "last_activity_date": "2022-12-03T08:52:25.290", "last_edit_date": "2022-12-03T08:52:25.290", "last_editor_user_id": "4236", "owner_user_id": "4236", "parent_id": "92435", "post_type": "answer", "score": 5 }, { "body": "何をしたくてopenをその場所にしたのか分かりませんが、truncを効かせるためにはループ内に配置する必要があります。また、再オープンするためには、closeが必要です。\n\nなので、単純には以下のような修正になります。\n\n```\n\n #include <windows.h>\n #include <shlobj_core.h>\n #include <shlwapi.h>\n #include <tchar.h>\n #include <fstream>\n \n int main() {\n #define TEMP_FILE_NAME \"\\\\tmp.txt\"\n std::ofstream ofs;\n TCHAR TmpPath[MAX_PATH];\n \n ::SHGetFolderPath(NULL, CSIDL_APPDATA | CSIDL_FLAG_CREATE, NULL, 0, TmpPath);\n ::PathAppend(TmpPath, _T(TEMP_FILE_NAME));\n \n _tremove(TmpPath);\n \n while (ofs)\n {\n ofs.open(TmpPath, std::ios::trunc);\n ofs << \"test\";\n ofs.close();\n }\n return 0;\n }\n \n```\n\n※コードは動かないと意味ないので補完してあります(_Tを使っていたのでremoveだけ変更しています。)", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T07:17:15.860", "id": "92443", "last_activity_date": "2022-11-26T07:17:15.860", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "54957", "parent_id": "92435", "post_type": "answer", "score": 0 }, { "body": "既に高評価の回答が承認されていますが、 \n単に上書きしたいのであれば`ofs.seekp`でファイル先頭までシークすればよいと思います。\n\n```\n\n ofs.seekp(0,std::ios_base::beg);\n ofs << \"test\";\n \n```\n\n* * *\n\n既に書き込まれているデータをすべて上書きしたいときは、トランケートする必要があります。 \n`ftruncate()`でトランケートすればよいのですが、ファイルディスクリプタが必要です。 \nofstreamはファイルディスクリプタをメンバに持っているのですが、publicではなく、継承しないと見えません(でした)。\n\nofstreamのファイルディスクリプタを使用してftruncate()を呼び出す関数truncate_ofstreamを作って呼び出したところ、既に書き込まれているデータを上書きできました。\n\n```\n\n truncate_ofstream(ofs);\n ofs.seekp(0,std::ios_base::beg);\n ofs << \"test\";\n \n```\n\ntruncate_ofstreamのコード\n\n```\n\n #include <fstream>\n #include <iostream>\n #include <sys/types.h>\n #include <unistd.h>\n void truncate_ofstream(std::ofstream &f)\n {\n struct tmpfilebuf : public std::basic_filebuf<std::ofstream::char_type> {\n tmpfilebuf(std::basic_filebuf<std::ofstream::char_type> &&other)\n : std::basic_filebuf<std::ofstream::char_type>(std::move(other))\n {\n }\n int fd() { return this->_M_file.fd(); }\n };\n std::basic_filebuf<std::ofstream::char_type> &rdbuf = *f.rdbuf();\n tmpfilebuf tmp(std::move(rdbuf));\n int fd = tmp.fd();\n ftruncate(fd, 0);\n rdbuf = std::move(*(std::remove_reference<decltype(rdbuf)>::type *)&tmp);\n return;\n }\n \n```\n\nUbuntu 20.04.5 LTSで動作確認しましたが、Windowsでうまくいくかは確認していません。\n\n動作確認にしようした環境です。\n\n```\n\n c++ (Ubuntu 9.4.0-1ubuntu1~20.04.1) 9.4.0\n libstdc++.so.6 => /lib/x86_64-linux-gnu/libstdc++.so.6 (0x00007f6c1de30000)libgcc_s.so.1 => /lib/x86_64-linux-gnu/libgcc_s.so.1 (0x00007f6c1de10000)\n libc.so.6 => /lib/x86_64-linux-gnu/libc.so.6 (0x00007f6c1dc10000)\n \n```\n\n余談ですが、ストリームを渡されているがファイルのパスが分からないことを想定し、ストリームをクローズ/再オープンしない前提で回答しています。 \n今回のケースでは問題にならないでしょうが、ストリームをclose()するのは影響が大きいと考えました。", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T09:43:56.877", "id": "92445", "last_activity_date": "2022-12-03T04:05:07.807", "last_edit_date": "2022-12-03T04:05:07.807", "last_editor_user_id": "35558", "owner_user_id": "35558", "parent_id": "92435", "post_type": "answer", "score": 0 } ]
92435
92436
92436
{ "accepted_answer_id": null, "answer_count": 1, "body": "SPRESENSEのHDRカメラ(CXD5602PWBCAM2W)を使用しようとしているのですが、暗闇だと写真が撮れないです。 \n公式サイトなどでは、「従来のセンサーでは対応が難しかった暗所や、\n逆光などの明暗差の大きい環境でもクリアな映像が得られます」と書いているのですが、撮影自体をしてくれません。 \ncameraサンプルプログラムを書き換える必要があるのでしょうか。 \n開発環境はArduinoIDEでHDRカメラ発売前から使用しており、ArduinoIDE側の更新はしてHDRカメラは使えるようにしています。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T04:19:35.050", "favorite_count": 0, "id": "92438", "last_activity_date": "2022-11-26T12:37:50.140", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "53775", "post_type": "question", "score": 0, "tags": [ "spresense", "camera" ], "title": "SPRESENSEのHDRカメラが暗闇だと起動しない", "view_count": 188 }
[ { "body": "HDRカメラを利用していますが、ほとんど光のない暗闇ではさすがに画像は撮れません。 \nカメラで扱う最大照度は次のサイトを参考にすると100,000ルクスです。\n\n<https://canon.jp/business/trend/what-is-illuminance>\n\nHDRカメラのダイナミックレンジが120dBですので6桁が有効範囲になります。 \nですので最低照度は0.1ルクスといったところでしょう。 \nぎりぎり視界が効く薄暗い部屋の環境が限界といったところだと思います。 \n実際に使用してみても、それぐらいであればカラーで画像が撮れています。 \nまったく視認できない真っ暗な部屋だとさすがにノイズだらけの画像になってしまいます。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T12:37:50.140", "id": "92448", "last_activity_date": "2022-11-26T12:37:50.140", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "27334", "parent_id": "92438", "post_type": "answer", "score": 1 } ]
92438
null
92448
{ "accepted_answer_id": null, "answer_count": 0, "body": "現在,カーネル法による計算をjaxを用いて行うことを考えているのですが,題の通り,jaxとnumpyで計算結果が一致せず,その原因もわからないため,非常に困っています.\n\nはじめに,カーネルとして,`K_train`が訓練データ同士のカーネル,`K_train_test`が訓練データとテストデータのカーネルとすると,推論時には訓練データのラベルを`y_train`,正則化のパラメータを`lamb`として以下のコードで求めます.\n\n```\n\n pred = K_train_test.T @ np.linalg.inv(K_train + lamb * np.eye(K_train.shape[0])) @ y_train\n \n```\n\n以降,`np.linalg.inv(K_train + lamb + np.eye(K_train.shape[0]))`を`K_inv`とおきます.\n\n * まず`np.linalg.inv`では逆行列が求められるのに対して,`jax.numpy.linalg.inv`ではnanを返す点で計算結果が異なってしまいます.\n\n * 次に,`K_train_test.T @ K_inv`の計算結果もnumpyと異なっており,以下のような結果になっています.\n\n```\n\n # numpy\n >>> K_train_test.T @ K_inv\n array([[-1.49965298e-03, -1.02000088e-03, 1.91625082e-04, ...,\n -3.85003951e-03, -7.90764352e-04, 3.35868994e-03],\n [-8.28401650e-04, 2.47865599e-03, 1.42909829e-03, ...,\n 1.14423560e-02, 5.38865693e-04, -3.90940593e-03],\n [ 1.38003354e-03, 9.92750650e-03, -8.53253255e-03, ...,\n 3.94552467e-03, 1.66892212e-02, -4.59781104e-03],\n ...,\n [ 1.69448515e-03, -1.69409449e-03, -8.55320507e-04, ...,\n 1.26550822e-02, 6.71634316e-04, 1.34939273e-02],\n [ 8.37996740e-03, 7.80422727e-03, -5.00868738e-03, ...,\n -1.33403463e-03, 9.18144232e-05, -5.63108443e-02],\n [-9.93128179e-04, -1.23604874e-02, 8.20241083e-04, ...,\n 1.85067963e-02, 1.67387109e-02, 7.49195804e-03]])\n \n # jax\n >>> K_train_test.T @ jax.device_put(K_inv)\n DeviceArray([[ 2.26987898e-03, 4.16899025e-02, -4.80616713e+00, ...,\n -4.03137207e-02, -1.95407867e-03, 2.27355957e-03],\n [ 7.90661573e-03, -4.59559262e-02, -4.97476482e+00, ...,\n -2.04467773e-03, -1.02233887e-03, -3.71170044e-03],\n [ 9.59877670e-03, 3.53920758e-02, -6.02732706e+00, ...,\n -3.28140259e-02, 1.30906105e-02, -1.22079849e-02],\n ...,\n [ 9.36821103e-04, 6.76373541e-02, -4.46830130e+00, ...,\n -1.94931030e-02, 5.78451157e-03, 1.83448792e-02],\n [ 1.46173686e-02, 3.41360569e-02, -4.53566217e+00, ...,\n -7.31468201e-03, -7.87258148e-04, -5.80210686e-02],\n [ 7.50748813e-03, -4.72679436e-02, -5.52401400e+00, ...,\n 3.80363464e-02, 9.84239578e-03, 8.40377808e-03]], dtype=float32)\n \n```\n\nちなみに,分類問題を解いているのですが,numpyの計算結果ではAccuracyが0.97以上あるのに対して,jaxの方では0.1未満の結果となってしまい,jaxの計算結果がおかしいと考えています.\n\n一方で,`K_inv @ y_train`の計算結果はnumpyでもjaxでも一致しているため,なおのこと原因がわからなくなっています.\n\n以上のように,jaxではnumpyの結果と比べ結果が違うため,なにか見落としている部分がある気がするので,おかしな点があれば指摘していただけると助かります.", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T05:04:01.213", "favorite_count": 0, "id": "92439", "last_activity_date": "2022-11-26T05:43:27.167", "last_edit_date": "2022-11-26T05:43:27.167", "last_editor_user_id": "3060", "owner_user_id": "55602", "post_type": "question", "score": 0, "tags": [ "python", "numpy", "gpu" ], "title": "numpyによる計算とjaxによるもので計算結果が異なる", "view_count": 125 }
[]
92439
null
null
{ "accepted_answer_id": null, "answer_count": 2, "body": "コンパイルが通りません。別のパソコンでは通ったのですが、同じ設定で動かすとコンパイルが通らなくなりました。エラーを読みましたが、よくわからず質問した次第です。 \n環境\n\nOS:ubuntu18.04 \nIDE:VScode \n動作確認している環境も同じものです。\n\n当方、spresense初心者でして、理解及ばぬところあるかと思いますが、ご指導いただけると幸いです。\n\n```\n\n LD: nuttx \n arm-none-eabi-ld: /home/hogehoge/spresense/nuttx/staging/libapps.a(symtab_apps.o):(.rodata.g_exports+0x2cc): undefined reference to `system' \n Makefile:155: recipe for target 'nuttx' failed \n make[2]: *** [nuttx] Error 1 \n make[2]: ディレクトリ '/home/hogehoge/spresense/nuttx/arch/arm/src' から出ます \n tools/Makefile.unix:420: recipe for target 'nuttx' \n failed make[1]: *** [nuttx] Error 2 \n make[1]: ディレクトリ '/home/hogehoge/spresense/nuttx' から出ます\n Makefile:113: recipe for target 'all' failed \n make: *** [all] Error 2 \n \n```", "comment_count": 5, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T06:43:04.490", "favorite_count": 0, "id": "92442", "last_activity_date": "2022-11-30T00:25:23.150", "last_edit_date": "2022-11-26T07:51:11.683", "last_editor_user_id": "55585", "owner_user_id": "55585", "post_type": "question", "score": 0, "tags": [ "c++", "spresense" ], "title": "コンパイルエラーの内容及び解決方法について。", "view_count": 314 }
[ { "body": "リンクエラーの内容から推察するに、`System\nCommand`を有効にしていない状態で`system()`関数を使用したローダブルELFアプリケーションをビルドしているのではないかと思います。\n\n`menuconfig`で以下の`System Commmand (CONFIG_SYSTEM_SYSTEM)`を有効にしてからビルドしてみてください。\n\n```\n\n -> Application Configuration\n -> System Libraries and NSH Add-Ons\n [*] System Command\n \n```\n\n予想を外してたらすみません。", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T02:57:35.760", "id": "92468", "last_activity_date": "2022-11-28T02:57:35.760", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "31378", "parent_id": "92442", "post_type": "answer", "score": 3 }, { "body": "利用コードはzip解凍のものでなく、gitで落としたものですか? \nコマンドでgit submoduleで表示される情報は、両方同じになっていますかね?\n\nもし異なっていればエラー出ている側のnuttxのコードが更新されていない可能性もあります。 \nその場合は、spresense.gitを落としたフォルダ以下で、以下のコマンドを打って、submoduleコードを更新してみてください。\n\n```\n\n $git submodule update --init \n \n```", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-30T00:25:23.150", "id": "92504", "last_activity_date": "2022-11-30T00:25:23.150", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "49022", "parent_id": "92442", "post_type": "answer", "score": 0 } ]
92442
null
92468
{ "accepted_answer_id": null, "answer_count": 1, "body": "# やりたいこと\n\nRuby3.1.3をインストールしたい\n\n# 環境\n\nM2 MacBook Air macOS Monterey バージョン 12.5.1 \nHomebrew 3.6.12 \nrbenv 1.2.0 \nruby 2.6.8p205 (2021-07-07 revision 67951) [universal.arm64e-darwin21]\n\n## 経緯\n\nもともとはCocoapodsをインストールしたかったのですが、以下のようなエラーが出ました。\n\n```\n\n ERROR: While executing gem ... (Gem::FilePermissionError)\n You don't have write permissions for the /System/Library/Frameworks/Ruby.framework/Versions/2.6/usr/lib/ruby/gems/2.6.0 directory.\n \n```\n\nそこで、[こちらの記事](https://qiita.com/ryamate/items/e51c77fbabc2aec185fc)を参考に、一般ユーザの領域にrubyの環境を作ろうとしていました。\n\n```\n\n rbenv install 3.1.3\n \n```\n\nを実行したところ、以下のようなエラーが発生しました。\n\n```\n\n -> https://cache.ruby-lang.org/pub/ruby/3.1/ruby-3.1.3.tar.gz\n Installing ruby-3.1.3...\n ruby-build: using readline from homebrew\n ruby-build: using gmp from homebrew\n \n BUILD FAILED (macOS 12.5.1 using ruby-build 20221124)\n \n Inspect or clean up the working tree at /var/folders/w5/592h_r3d57547m_h6k0tywk80000gn/T/ruby-build.20221126180230.2526.AiU8cm\n Results logged to /var/folders/w5/592h_r3d57547m_h6k0tywk80000gn/T/ruby-build.20221126180230.2526.log\n \n Last 10 log lines:\n compiling ossl_x509ext.c\n compiling ossl_x509name.c\n linking shared-object psych.bundle\n compiling ossl_x509req.c\n 3 warnings generated.\n compiling ossl_x509revoked.c\n compiling ossl_x509store.c\n linking shared-object openssl.bundle\n linking shared-object ripper.bundle\n make: *** [build-ext] Error 2\n \n```\n\n/var/folders/w5/592h_r3d57547m_h6k0tywk80000gn/T/ruby-\nbuild.20221126180230.2526.logの内容です。文字数制限のため一部です\n\n```\n\n compiling psych.c\n compiling ripper.c\n readline.c:1903:37: error: use of undeclared identifier 'username_completion_function'; did you mean 'rl_username_completion_function'?\n rl_username_completion_function);\n ^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~\n rl_username_completion_function\n readline.c:79:42: note: expanded from macro 'rl_username_completion_function'\n # define rl_username_completion_function username_completion_function\n ^\n /usr/local/opt/readline/include/readline/readline.h:494:14: note: 'rl_username_completion_function' declared here\n extern char *rl_username_completion_function (const char *, int);\n ^\n 1 error generated.\n make[2]: *** [readline.o] Error 1\n make[1]: *** [ext/readline/all] Error 2\n make[1]: *** Waiting for unfinished jobs....\n checking ../.././parse.y and ../.././ext/ripper/eventids2.c\n installing default libraries\n \n compiling ossl_pkey_dh.c\n compiling ossl_pkey_dsa.c\n ossl_pkey_dh.c:87:14: warning: 'DH_new' is deprecated [-Wdeprecated-declarations]\n dh = DH_new();\n ^\n /Users/komatsu/.rbenv/versions/3.1.3/openssl/include/openssl/macros.h:62:52: note: expanded from macro 'OSSL_DEPRECATED'\n # define OSSL_DEPRECATED(since) __attribute__((deprecated))\n ^\n 44 warnings generated.\n compiling ossl_x509.c\n compiling ossl_x509attr.c\n 40 warnings generated.\n compiling ossl_x509cert.c\n linking shared-object date_core.bundle\n compiling ossl_x509crl.c\n compiling ossl_x509ext.c\n compiling ossl_x509name.c\n linking shared-object psych.bundle\n compiling ossl_x509req.c\n 3 warnings generated.\n compiling ossl_x509revoked.c\n compiling ossl_x509store.c\n linking shared-object openssl.bundle\n linking shared-object ripper.bundle\n make: *** [build-ext] Error 2\n \n```\n\n# やったこと\n\nXcode再インストール\n\n```\n\n sudo xcode-select --switch /Applications/Xcode.app/Contents/Developer\n sudo xcodebuild -runFirstLaunch\n \n```\n\n[こちらの記事](https://ja.stackoverflow.com/questions/77921/m1mac%E3%81%A7rbenv-\ninstall-2-7-2%E3%82%92%E5%AE%9F%E8%A1%8C%E6%99%82-%E3%82%A8%E3%83%A9%E3%83%BC%E3%81%8C%E7%99%BA%E7%94%9F%E3%81%97%E3%81%A6%E3%82%A4%E3%83%B3%E3%82%B9%E3%83%88%E3%83%BC%E3%83%AB%E3%81%A7%E3%81%8D%E3%81%BE%E3%81%9B%E3%82%93)を参考に下記コードを実行\n\n```\n\n arch -arm64 rbenv install 3.1.3\n \n```\n\n[こちらの記事](https://qiita.com/mikan3rd/items/d1dfd7cb62cc23393dd9)を参考にCommandLineToolsの再インストール.zshに環境変数の追加、[email protected]の指定なども行いました。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T12:14:46.307", "favorite_count": 0, "id": "92447", "last_activity_date": "2022-11-27T01:41:54.953", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55605", "post_type": "question", "score": 0, "tags": [ "ruby", "macos", "cocoapods", "rbenv" ], "title": "M2 Macでrbenv install 3.1.3を実行時、エラーが発生してインストールできない", "view_count": 1119 }
[ { "body": "自己解決しました\n\n# やったこと\n\nhomebrewの再インストール \nOpenSSLがインストールされていないことを確認\n\n```\n\n brew list | grep openssl\n \n```\n\nruby 3.1.xはOpenSSL3を要求するらしい\n\n```\n\n brew install openssl@3 readline libyaml gmp\n export RUBY_CONFIGURE_OPTS=\"--with-openssl-dir=$(brew --prefix openssl@3)\"\n \n```\n\n普通にインストールしたら通った\n\n```\n\n rbenv install 3.1.3\n rbenv global 3.1.3\n rbenv versions\n \n```\n\n.zshrcを編集\n\n```\n\n open ~/.zshrc\n \n```\n\n```\n\n # rbenv にパスを通す\n [[ -d ~/.rbenv ]] && \\\n export PATH=${HOME}/.rbenv/bin:${PATH} && \\\n eval \"$(rbenv init -)\"\n \n```\n\nsourceコマンドを実行\n\n```\n\n source ~/.zshrc\n \n```\n\n# 参考記事\n\n[ruby-build](https://github.com/rbenv/ruby-build/wiki#build-failure-of-fiddle-\nwith-ruby-220) \n[Missing OpenSSL](https://github.com/rbenv/ruby-\nbuild/discussions/1961#discussioncomment-4031745) \n[エラーが出て、 CocoaPods\nをインストールできない。](https://qiita.com/ryamate/items/e51c77fbabc2aec185fc)", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-27T01:41:54.953", "id": "92455", "last_activity_date": "2022-11-27T01:41:54.953", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55605", "parent_id": "92447", "post_type": "answer", "score": 1 } ]
92447
null
92455
{ "accepted_answer_id": null, "answer_count": 3, "body": "例えばメルカリでは、各商品の累計閲覧回数がカウントされていて、自分が出品した商品についてはそれを参照することができます。 \nこの閲覧回数の永続化でパッと思い浮かぶのは、商品閲覧のたびに直前の閲覧回数をRDBから取得し、それをカウントアップしてRDBに保存するという手段です。 \nしかし、メルカリのような多くのユーザーを抱えるサービスでこの方法を採用すると、単位時間あたり大量のSQLが発行されてしまいパフォーマンス上の問題があると思います。\n\n上記の方法以外で、よく採用される閲覧回数のカウント方法がありましたらご教示いただけますと幸いです。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T13:45:38.213", "favorite_count": 0, "id": "92449", "last_activity_date": "2022-11-27T01:04:26.647", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "41605", "post_type": "question", "score": 0, "tags": [ "sql" ], "title": "Webアプリケーションにおける閲覧回数のカウント方法", "view_count": 140 }
[ { "body": "どのような環境なのかによって選択できる手段は変わってくると思いますが \n一般的な LAMP 環境を想定するとして、NOSQL の memcache を \n利用するのはいかがでしょうか ?\n\n[Memcached::increment](https://www.php.net/manual/ja/memcached.increment.php)", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T14:13:58.537", "id": "92450", "last_activity_date": "2022-11-26T14:13:58.537", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "53097", "parent_id": "92449", "post_type": "answer", "score": 1 }, { "body": "同一ユーザーの閲覧は除外するのでカあればウントアップだけじゃ実現できないと思うので。 \nたぶんRDBでも良いんじゃないでしょうか。\n\nそもそも商品閲覧でもログインユーザーのアクセスでも、常に大量のSQLは発行されてるはずですよね。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T14:16:52.427", "id": "92451", "last_activity_date": "2022-11-26T14:16:52.427", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "15380", "parent_id": "92449", "post_type": "answer", "score": 1 }, { "body": "要件次第です。\n\n * 信頼性\n * リアルタイム性\n * アクセス頻度\n * 単純にカウントアップすれば良いのか、何か条件はあるのか\n * かけられるコスト\n\n例えば時々ログを集計して更新すればすむような用途に複雑な仕組みを入れるのはナンセンスです。\n\n前提なしの単なる「よく使われる手法を教えてください」だと各自が思いついた回答が雑多に集まるだけになってしまうので、具体的な条件を前提にした質問にしたほうがよいでしょう。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-27T01:04:26.647", "id": "92454", "last_activity_date": "2022-11-27T01:04:26.647", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "5793", "parent_id": "92449", "post_type": "answer", "score": 2 } ]
92449
null
92454
{ "accepted_answer_id": null, "answer_count": 0, "body": "<https://teratail.com/questions/rr9ib865n9y59q> \nこちらで同じ質問をしています。 \nthree.jsのwebXRによってコントローラーのパッド情報に伴うイベントを追加したいです \nコントローラーのパッド部分を動かすと表示しているオブジェクトも動かすようなイベントを追加したいです。 \nHTCVIVEを利用しています。 \nトリガーボタンの操作に関するイベントは公式のexampleにあるのですが、その他のボタンに関する操作はexampleで見つからないです \n少し調べてみると2020年の6月段階ではwebXRではパッドの情報を取得できない?みたいなのですがその状況は現在も改善されてないのでしょうか? \n<https://discourse.threejs.org/t/listening-to-xr-touchpad-or-thumbstick-\nmotion-controller-events/1754> \n今はもう廃止されているWebVRで動作するコードがあるのですが \nこのように書かれてるみたいです。\n\n```\n\n controller1.addEventListener('axischanged', move);でmoveイベント追加\n 〜〜〜〜\n function move(event){\n if(this.getButtonState('thumbpad') && this.getButtonState('trigger') === false){\n var z = event.axes[0];\n var x = event.axes[1];\n group.position.x = group.position.x + 100 * x;\n group.position.z = group.position.z + 100* z;\n }\n if(this.getButtonState('thumbpad') && this.getButtonState('trigger')){\n var y = -event.axes[1];\n group.position.y = group.position.y + 100* y;\n }\n }\n \n \n```", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-26T14:47:55.103", "favorite_count": 0, "id": "92452", "last_activity_date": "2022-12-07T07:06:22.223", "last_edit_date": "2022-12-07T07:06:22.223", "last_editor_user_id": "55612", "owner_user_id": "55612", "post_type": "question", "score": 0, "tags": [ "webapi", "three.js" ], "title": "three.jsのwebXRにおいてコントローラーのパッド情報を受け取る方法", "view_count": 56 }
[]
92452
null
null
{ "accepted_answer_id": "92459", "answer_count": 1, "body": "Couldn't find a package.json fileと表示される\n\n```\n\n study-react % yarn dev\n \n yarn run v1.22.19\n error Couldn't find a package.json file in \"/Users/kazu/study-react\"\n info Visit https://yarnpkg.com/en/docs/cli/run for documentation about this command.\n \n```\n\nnode -v \nv18.12.1 \nyarn -v \n1.22.19 \nnpm -v \n8.19.2", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-27T01:56:47.627", "favorite_count": 0, "id": "92456", "last_activity_date": "2022-11-27T05:03:18.713", "last_edit_date": "2022-11-27T04:41:31.320", "last_editor_user_id": "3060", "owner_user_id": "55232", "post_type": "question", "score": 0, "tags": [ "json", "reactjs" ], "title": "yarn dev が実行されない", "view_count": 309 }
[ { "body": "/Users/kazu/study-react/package.json\n\nというファイルを作っておいてはいかがでしょう\n\n中身は空のJSONとかで\n\n```\n\n {}\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-27T05:03:18.713", "id": "92459", "last_activity_date": "2022-11-27T05:03:18.713", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "15380", "parent_id": "92456", "post_type": "answer", "score": 0 } ]
92456
92459
92459
{ "accepted_answer_id": null, "answer_count": 0, "body": "Rails6でAction Textを入れました。\n\n開発環境でlocalには画像を保存できるのですが、本番環境でAmazon\nS3に保存しようとすると画像のような横のラインがアップロード時にブラウザ画面に表示され、保存できません。 \n開発環境の画像保存先をAmazon S3に変えると同様の事象が発生します。\n\nHeorokuを使用しており、以下リンク先を参考に設定しましたが、どうにもうまくできず、原因がわかりません。\n\n[Heroku+ActiveStorage+Amazon S3 -\nQiita](https://qiita.com/ryota-0906/items/a1be860e7e8f840c1bf5)\n\n何か解決のための取っ掛かりがわかりましたら、教えていただけないでしょうか?\n\n[![画像の説明をここに入力](https://i.stack.imgur.com/XaeGq.png)](https://i.stack.imgur.com/XaeGq.png)", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-27T02:52:40.803", "favorite_count": 0, "id": "92457", "last_activity_date": "2022-11-27T05:10:55.253", "last_edit_date": "2022-11-27T05:10:55.253", "last_editor_user_id": "3060", "owner_user_id": "37468", "post_type": "question", "score": 0, "tags": [ "ruby-on-rails", "heroku", "amazon-s3" ], "title": "Rails6 Action Text 本番環境での画像保存エラー", "view_count": 94 }
[]
92457
null
null
{ "accepted_answer_id": "92460", "answer_count": 1, "body": "Latexで、以下のような四重積分を記載するにはどのように入力すればよいのでしょうか?\n\n[![画像の説明をここに入力](https://i.stack.imgur.com/fjoAZ.png)](https://i.stack.imgur.com/fjoAZ.png)", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-27T04:38:41.053", "favorite_count": 0, "id": "92458", "last_activity_date": "2022-11-27T05:14:03.347", "last_edit_date": "2022-11-27T05:14:03.347", "last_editor_user_id": "3060", "owner_user_id": "42623", "post_type": "question", "score": 0, "tags": [ "latex" ], "title": "多変数関数の積分をTexで入力するには?", "view_count": 102 }
[ { "body": "積分記号のところだけですが,次でよいと思います.\n\n```\n\n \\int_{0}^{1}\\int_{0}^{1}\\int_{0}^{1}\\int_{0}^{1}\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-27T05:11:10.070", "id": "92460", "last_activity_date": "2022-11-27T05:11:10.070", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "27049", "parent_id": "92458", "post_type": "answer", "score": 3 } ]
92458
92460
92460
{ "accepted_answer_id": null, "answer_count": 0, "body": "Three.jsを用いて3D空間に正方形か点状のグリッドを生成して、それをHTMLファイル内でWebブラウザ上でVR空間に表示させたいです。 \n立方体のグリッドをイメージして生成しようと試みてますが、座標表示(取得)や地面に生成する場合の方法でもありがたいです。 \n本当はVRコントローラーを使って、生成したグリッドを表示したり一時的に消したりなど操作できるようにしたいのが理想ですが、とりあえず生成する過程が欲しいです。 \n生成に必要なコードや参考にできるサンプルやサイトがあれば教えて下さい。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-27T08:15:29.617", "favorite_count": 0, "id": "92462", "last_activity_date": "2022-11-27T08:15:29.617", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55529", "post_type": "question", "score": 0, "tags": [ "javascript", "html", "three.js" ], "title": "Three.jsを使ってHTMLファイル内でグリッドを表示したい", "view_count": 67 }
[]
92462
null
null
{ "accepted_answer_id": null, "answer_count": 0, "body": "### 背景\n\n某スクールでの課題に取り組んでおります。 \nスクールメンターに質問しすぎて嫌がられており、メンターからの返答が雑になってきているので、更にわかりにくくなっています。 \nですので、こちらで質問させてください。\n\nECサイトを作る中で、AWS S3とHerokuを連携させる環境構築を行なっております。\n\n### 現状\n\n環境構築の過程において\n\n`git push heroku (ブランチ名):master -f` 実行後エラーが出ます。\n\n※ローカル、リモート、Herokuの更新に差異がある為、pushできないということはわかってはおり、強制Pushをしております。\n\n### 今出ているエラー\n\n```\n\n remote: ! Precompiling assets failed.\n remote: !\n remote: ! Push rejected, failed to compile Ruby app.\n remote: \n remote: ! Push failed\n remote: !\n remote: ! ## Warning - The same version of this code has already been built: e4d8a765c2478440e424bb07caa43f2f7b8bc\n remote: !\n remote: ! We have detected that you have triggered a build from source code with version e4d8a765c2478440e424bb07caa43f2f7b8bc\n remote: ! at least twice. One common cause of this behavior is attempting to deploy code from a different branch.\n remote: !\n remote: ! If you are developing on a branch and deploying via git you must run:\n remote: !\n remote: ! git push heroku <branchname>:main\n remote: !\n remote: ! This article goes into details on the behavior:\n remote: ! https://devcenter.heroku.com/articles/duplicate-build-version\n remote: \n remote: Verifying deploy...\n \n```\n\n### 前提\n\nGitHubのMasterのブランチにはpushしてはならないというのが課題の制約です。 \n何度かやり直す過程で過去のHerokuアプリ削除、過去のブランチ削除を行いました。\n\n### 参考にしたサイト、実際にやってみたこと\n\nエラー文にある `git push heroku <branchname>:main` を実行 \n同じエラーが出ます。\n\n### 実現したいこと\n\nエラーの解消 \nHerokuへ正常にデプロイしたい\n\n### 参考画像\n\n[![画像の説明をここに入力](https://i.stack.imgur.com/N6VNx.jpg)](https://i.stack.imgur.com/N6VNx.jpg)\n\n[![画像の説明をここに入力](https://i.stack.imgur.com/f92Z8.jpg)](https://i.stack.imgur.com/f92Z8.jpg)\n\n初学者質問でお恥ずかしい限りですが、皆様のお知恵を拝借したく、どうかご助言ご助力の程、よろしくお願いします\n\ndatabase.yml内容を以下記載します\n\n```\n\n # MySQL. Versions 5.0 and up are supported.\n #\n # Install the MySQL driver\n # gem install mysql2\n #\n # Ensure the MySQL gem is defined in your Gemfile\n # gem 'mysql2'\n #\n # And be sure to use new-style password hashing:\n # http://dev.mysql.com/doc/refman/5.7/en/old-client.html\n \n default: &default\n adapter: mysql2\n encoding: utf8\n collation: utf8_general_ci\n pool: 5\n host: <%= ENV['MYSQL_HOST'] || 'localhost' %>\n username: <%= ENV['MYSQL_USERNAME'] || 'root' %>\n password: <%= ENV['MYSQL_PASSWORD'] || '' %>\n socket: /tmp/mysql.sock\n \n development:\n <<: *default\n database: potepanec_2_7_development\n \n # Warning: The database defined as \"test\" will be erased and\n # re-generated from your development database when you run \"rake\".\n # Do not set this db to the same as development or production.\n test:\n <<: *default\n database: potepanec_2_7_test\n \n # As with config/secrets.yml, you never want to store sensitive information,\n # like your database password, in your source code. If your source code is\n # ever seen by anyone, they now have access to your database.\n #\n # Instead, provide the password as a unix environment variable when you boot\n # the app. Read http://guides.rubyonrails.org/configuring.html#configuring-a-database\n # for a full rundown on how to provide these environment variables in a\n # production deployment.\n #\n # On Heroku and other platform providers, you may have a full connection URL\n # available as an environment variable. For example:\n #\n # DATABASE_URL=\"mysql2://myuser:mypass@localhost/somedatabase\"\n #\n # You can use this database configuration with:\n #\n # production:\n # url: <%= ENV['DATABASE_URL'] %>\n #\n production:\n <<: *default\n url: <%= ENV['JAWSDB_URL']&.sub('mysql://', 'mysql2://') %>\n \n \n```", "comment_count": 7, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-27T11:33:16.813", "favorite_count": 0, "id": "92463", "last_activity_date": "2022-11-29T06:52:07.480", "last_edit_date": "2022-11-29T06:52:07.480", "last_editor_user_id": "45480", "owner_user_id": "45480", "post_type": "question", "score": 0, "tags": [ "ruby-on-rails", "heroku" ], "title": "Herokuにpushできない", "view_count": 145 }
[]
92463
null
null
{ "accepted_answer_id": "92482", "answer_count": 1, "body": "## 前提\n\nSwiftを勉強し始めた初心者です。\n\n[YouTubeの動画](https://www.youtube.com/watch?v=7ZKZCNqR7xI)を参考にメモウィジェットアプリを作成しました。\n\n機能としましては、アプリ内のTextFieldに文字を入力すると、入力した文字がウィジェットに表示されるアプリです。\n\n![イメージ説明](https://ddjkaamml8q8x.cloudfront.net/questions/2022-11-27/fdef552e-52a2-464b-a06e-0c0db416780d.png) \n![イメージ説明](https://ddjkaamml8q8x.cloudfront.net/questions/2022-11-27/dc70524b-787b-42b6-bde6-21e7a96111c6.png)\n\n## 実現したいこと\n\nアプリをタスクキルすると、Widgetに表示されている文字は表示されたままなのですが、アプリ内のTextFieldの文字が消えてしまいます。 \nそのため、タスクキルをしてもTextFieldの文字を保持できるようにしたいです。\n\n![イメージ説明](https://ddjkaamml8q8x.cloudfront.net/questions/2022-11-27/d0e7baf3-f4ac-4b55-af0f-35583ca1a9c6.png) \n![イメージ説明](https://ddjkaamml8q8x.cloudfront.net/questions/2022-11-27/01311899-7f4a-4b4c-adf8-ccf49dd35e80.png)\n\n## 試したこと\n\ninfo.plistに値を追加する方法を試しても解決できませんでした。\n\n[バックグラウンドで動くアプリが終了されたタイミングでアラートを出す](https://koogawa.hateblo.jp/entry/2014/01/21/010008)\n\n## 該当のソースコード\n\nViewController.swift\n\n```\n\n import UIKit\n \n class ViewController: UIViewController {\n \n @IBOutlet weak var txtText: UITextField!\n override func viewDidLoad() {\n super.viewDidLoad()\n storeData(text: \"メモを入力しよう\")\n }\n \n @IBAction func btnStoreText(_ sender: Any) {\n storeData(text: txtText.text ?? \"--\")\n }\n \n func storeData(text : String) {\n let storedata = StoreData(showText: text)\n let primaryData = PrimaryData(storeData: storedata)\n primaryData.encodeData()\n }\n }\n \n```\n\nWidgetExtension.swift\n\n```\n\n import WidgetKit\n import SwiftUI\n import Intents\n \n struct Provider: IntentTimelineProvider {\n @AppStorage(\"CreateWidget\", store: UserDefaults(suiteName: \"group.isseiueda\")) var primaryData : Data = Data()\n func placeholder(in context: Context) -> SimpleEntry {\n let storeData = StoreData(showText: \"-\")\n return SimpleEntry(storeData : storeData, configuration: ConfigurationIntent())\n }\n \n func getSnapshot(for configuration: ConfigurationIntent, in context: Context, completion: @escaping (SimpleEntry) -> ()) {\n guard let storeData = try? JSONDecoder().decode(StoreData.self, from: primaryData) else {\n return\n }\n let entry = SimpleEntry(storeData: storeData, configuration: configuration)\n completion(entry)\n }\n \n func getTimeline(for configuration: ConfigurationIntent, in context: Context, completion: @escaping (Timeline<Entry>) -> ()) {\n // var entries: [SimpleEntry] = []\n //\n // // Generate a timeline consisting of five entries an hour apart, starting from the current date.\n // let currentDate = Date()\n // for hourOffset in 0 ..< 5 {\n // let entryDate = Calendar.current.date(byAdding: .hour, value: hourOffset, to: currentDate)!\n // let entry = SimpleEntry(date: entryDate, configuration: configuration)\n // entries.append(entry)\n // }\n guard let storeData = try? JSONDecoder().decode(StoreData.self, from: primaryData) else {\n return\n }\n let entry = SimpleEntry(storeData: storeData, configuration: configuration)\n \n let timeline = Timeline(entries: [entry], policy: .never)\n completion(timeline)\n }\n }\n \n struct SimpleEntry: TimelineEntry {\n let date: Date = Date()\n let storeData : StoreData\n let configuration: ConfigurationIntent\n }\n \n struct WidgetExtensionEntryView : View {\n var entry: Provider.Entry\n \n var body: some View {\n Text(entry.storeData.showText)\n }\n }\n \n struct WidgetExtension: Widget {\n let kind: String = \"WidgetExtension\"\n \n var body: some WidgetConfiguration {\n IntentConfiguration(kind: kind, intent: ConfigurationIntent.self, provider: Provider()) { entry in\n WidgetExtensionEntryView(entry: entry)\n }\n .configurationDisplayName(\"My Widget\")\n .description(\"This is an example widget.\")\n }\n }\n \n struct WidgetExtension_Previews: PreviewProvider {\n static let storeData = StoreData(showText: \"-\")\n static var previews: some View {\n WidgetExtensionEntryView(entry: SimpleEntry(storeData: storeData, configuration: ConfigurationIntent()))\n .previewContext(WidgetPreviewContext(family: .systemMedium))\n }\n }\n \n```\n\nStoreData.swift\n\n```\n\n import Foundation\n \n struct StoreData : Codable {\n var showText : String\n }\n \n```\n\nPrimaryData.swift\n\n```\n\n import SwiftUI\n import WidgetKit\n \n struct PrimaryData {\n @AppStorage(\"CreateWidget\", store: UserDefaults(suiteName: \"group.isseiueda\")) var primaryData : Data = Data()\n let storeData : StoreData\n \n func encodeData() {\n guard let data = try? JSONEncoder().encode(storeData) else {\n return\n }\n primaryData = data\n WidgetCenter.shared.reloadAllTimelines()\n }\n \n }\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-27T13:12:48.573", "favorite_count": 0, "id": "92464", "last_activity_date": "2022-11-28T10:33:38.740", "last_edit_date": "2022-11-27T16:29:02.423", "last_editor_user_id": "3060", "owner_user_id": "55638", "post_type": "question", "score": 0, "tags": [ "swift" ], "title": "タスクキル(アプリの再起動)をしてもアプリ内のTextFieldの文字を保持しておきたい", "view_count": 161 }
[ { "body": "## 問題1(supportedFamiliesがない)\n\n```\n\n struct WidgetExtension: Widget {\n let kind: String = \"WidgetExtension\"\n \n var body: some WidgetConfiguration {\n IntentConfiguration(kind: kind, intent: ConfigurationIntent.self, provider: Provider()) { entry in\n WidgetExtensionEntryView(entry: entry)\n }\n .configurationDisplayName(\"My Widget\")\n .description(\"This is an example widget.\")\n .supportedFamilies([.systemMedium])\n }\n }\n \n```\n\n## 問題2(@AppStorageの使い方が異なる)\n\ngetSnapshot,\ngetTimelineは適切なタイミングでOS側が呼ぶので、@AppStorageで常に監視することはおそらく難しいです。ウィジェットでは\n\n```\n\n struct Provider: IntentTimelineProvider {\n func placeholder(in context: Context) -> SimpleEntry {\n let storeData = StoreData(showText: \"placeholder\")\n return SimpleEntry(storeData : storeData, configuration: ConfigurationIntent())\n }\n \n func getSnapshot(for configuration: ConfigurationIntent, in context: Context, completion: @escaping (SimpleEntry) -> ()) {\n guard let primaryData = UserDefaults(suiteName: \"group.isseiueda\")?.data(forKey: \"CreateWidget\") else { return }\n \n guard let storeData = try? JSONDecoder().decode(StoreData.self, from: primaryData) else {\n return\n }\n \n let entry = SimpleEntry(storeData: storeData, configuration: configuration)\n completion(entry)\n }\n \n func getTimeline(for configuration: ConfigurationIntent, in context: Context, completion: @escaping (Timeline<Entry>) -> ()) {\n guard let primaryData = UserDefaults(suiteName: \"group.isseiueda\")?.data(forKey: \"CreateWidget\") else { return }\n \n guard let storeData = try? JSONDecoder().decode(StoreData.self, from: primaryData) else {\n return\n }\n let entry = SimpleEntry(storeData: storeData, configuration: configuration)\n \n let timeline = Timeline(entries: [entry], policy: .never)\n completion(timeline)\n }\n }\n \n```\n\n## 問題3(メイン画面)\n\nUIKitがわからないのでSwiftUIで書きましたが、テキストが変更されるたびに`WidgetCenter.shared.reloadAllTimelines()`を実行することで、ウィジェット側でデータを再取得させています。\n\n```\n\n struct ContentView: View {\n @State var storeData: StoreData\n \n init() {\n guard let data = UserDefaults(suiteName: \"group.isseiueda1\")?.data(forKey: \"CreateWidget\") else {\n self.storeData = .init(showText: \"text\")\n return\n }\n \n if let storeData = try? JSONDecoder().decode(StoreData.self, from: data) {\n self.storeData = storeData\n } else {\n self.storeData = .init(showText: \"text\")\n }\n }\n \n var body: some View {\n TextField(\"Text\", text: $storeData.showText)\n .onChange(of: storeData) { newValue in\n guard let data = try? JSONEncoder().encode(newValue) else { return }\n UserDefaults(suiteName: \"group.isseiueda\")?.set(data, forKey: \"CreateWidget\")\n WidgetCenter.shared.reloadAllTimelines()\n }\n }\n }\n \n struct StoreData : Codable, Equatable {\n var showText : String\n }\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T10:33:38.740", "id": "92482", "last_activity_date": "2022-11-28T10:33:38.740", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "40856", "parent_id": "92464", "post_type": "answer", "score": 0 } ]
92464
92482
92482
{ "accepted_answer_id": "92466", "answer_count": 1, "body": "以下の記事について、疑問点があります。\n\n[コンピュータアーキテクチャの話(139) ダイレクトマップキャッシュとその注意点 |\nTECH+(テックプラス)](https://news.mynavi.jp/techplus/article/architecture-139/)\n\nキャッシュのデータを書き換えるときは、そのキャッシュラインに入っているすべてのデータを同時に書き換えるのでしょうか?上記のサイトでは、`a[0] ~\na[7]` を読み込んだ後、キャッシュミスが発生するため、`b[0] ~ b[7]` をすべて読み込んで、書き込む形をとっていますが、単に `b[0]`\n1個だけ読み込んで(これと同時に、キャッシュラインにすでにある `a[0] ~ a[7]`\nのいずれか1つが上書きされて、データがキャッシュから消える)書き込み、次に、`b[1]`\nを読み込んで…というふうに、1つずつ読み込むことはできないのでしょうか。 \nこの理由が分かる方がいらっしゃいましたら、教えていただけると幸いです。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-27T16:14:42.183", "favorite_count": 0, "id": "92465", "last_activity_date": "2022-11-28T02:13:18.793", "last_edit_date": "2022-11-28T02:13:18.793", "last_editor_user_id": "4236", "owner_user_id": "55639", "post_type": "question", "score": 0, "tags": [ "ハードウェア", "cpu" ], "title": "キャッシュの書き込みは、キャッシュ内の全てのデータが同時に上書きされるのでしょうか。キャッシュの中の1行ずつ上書きすることは可能でしょうか。", "view_count": 168 }
[ { "body": "> キャッシュのデータを書き換えるときは、そのキャッシュラインに入っているすべてのデータを同時に書き換えるのでしょうか?\n\nそうです\n\n> 1つずつ読み込むことはできないのでしょうか。 \n> この理由\n\n理由というか「データを同時に書き換える」単位をキャッシュラインと定義しています\n\n>\n> データとペアで格納するアドレスデータをタグ(Tag:海外旅行のスーツケースに付けるような荷札という意味))という。そして、データとタグのペアをキャッシュラインと呼ぶ。\n\nとそのサイトに有るようにキャッシュラインは上位アドレスが共通で \n下位アドレスだけでアクセスできる連続領域である必要があります\n\n> 単に b[0] 1個だけ読み込んで(これと同時に、キャッシュラインにすでにある a[0] ~ a[7] のいずれか1つが上書き\n\nこれをやろうとすると 0 番が &a のアドレスで 1-7 が &b と混ざった状態とするにはキャッシュタグが a b\nどっちをもてばいいかわからないですよね\n\n* * *\n\nじゃあキャッシュラインサイズ1にして全部のキャッシュに別々のアドレスもてばいいじゃん \nって考えるんですがハードウェアの世界でそんな柔軟なことをすると回路効率が著しく悪くなります\n\nたとえばキャッシュラインサイズは16~256が多いですが \n16の場合に比べてキャッシュラインを1にすると \nアドレスマッチング回路も16倍必要になるし \nデータ16個に対して上位アドレス1つもてばいいのが \nデータ1つに上位アドレス1つ保つ必要があり、 \nデータに使える記憶領域が半分になってしまいます\n\n* * *\n\nおそらくこの先の説明に出てくるんだと思うんですが \nインテルの i7 なんかは 4way セットアソシアティブっていって \n下位アドレスが共通なキャッシュラインを4つまでもつことができます\n\nさらにAMDの場合はビクティムキャッシュって言って \nキャッシュミスしたキャッシュラインを \n全下位アドレス共通で使える少量のフルアソシアティブ領域でもっておくっていう方法でキャッシュミスを緩和してます", "comment_count": 4, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-27T18:49:43.827", "id": "92466", "last_activity_date": "2022-11-27T19:01:42.143", "last_edit_date": "2022-11-27T19:01:42.143", "last_editor_user_id": null, "owner_user_id": null, "parent_id": "92465", "post_type": "answer", "score": 0 } ]
92465
92466
92466
{ "accepted_answer_id": "92572", "answer_count": 1, "body": "以下の記事について、疑問点があります。\n\n[コンピュータアーキテクチャの話(139) ダイレクトマップキャッシュとその注意点 |\nTECH+(テックプラス)](https://news.mynavi.jp/techplus/article/architecture-139/)\n\n上記ページの末尾から6段落目に以下の記述があります。\n\n> 本来、8バイトのリードと8バイトのライトで済む処理が、64バイトのキャッシュラインのリードが2回とライトが1回とメモリとのデータ転送量が24倍となり\n\nこれについて疑問があるのですが、「本来」のほうは、8byte + 8byte = 16byte, 「キャッシュをダミーなしで使ったほう」は、64 byte\n* ( 2回 + 1回) = 16 * 12\nbyteになるので、データ転送量は12倍になると一瞬思いました。サイトには、24倍と書いてありますが、どうして、12倍ではなく、24倍になるのでしょうか。この理由が分かる方がいらっしゃいましたら、教えていただけると幸いです。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T00:43:07.927", "favorite_count": 0, "id": "92467", "last_activity_date": "2022-12-05T00:41:55.940", "last_edit_date": "2022-11-28T02:12:54.073", "last_editor_user_id": "4236", "owner_user_id": "55639", "post_type": "question", "score": 1, "tags": [ "ハードウェア", "cpu" ], "title": "キャッシュを使うことで、むしろ処理に時間がかかってしまう例について", "view_count": 196 }
[ { "body": "質問のもととなる \n[コンピュータアーキテクチャの話(139) ダイレクトマップキャッシュとその注意点 |\nTECH+(テックプラス)](https://news.mynavi.jp/techplus/article/architecture-139/)\n\nに以下の説明があります。\n\n> そして、次にiを+1して、a[2]をロードしようとすると、キャッシュラインにはbが入っているので、これもミスになる。 \n>\n> というように、a、bのアクセスごとに、毎回、キャッシュミスが起こってしまう。こうなると、メインメモリへのアクセス回数を減らすというキャッシュの魔法はうまく働かず、本来、8バイトのリードと8バイトのライトで済む処理が、64バイトのキャッシュラインのリードが2回とライトが1回とメモリとのデータ転送量が24倍となり、キャッシュが無い場合よりも性能が低下してしまう。\n\nキャッシュミスが発生しているので、64バイトのデータをメモリからキャッシュに読み込むとき、読み込み先のキャッシュ64バイトをメモリに書き戻しておく必要があります。 \nこのため、メモリ転送は`64 byte * ( 2回 + 1回) `の2倍になり、12倍ではなく24倍になると解釈できます。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T09:43:12.867", "id": "92572", "last_activity_date": "2022-12-05T00:41:55.940", "last_edit_date": "2022-12-05T00:41:55.940", "last_editor_user_id": "35558", "owner_user_id": "35558", "parent_id": "92467", "post_type": "answer", "score": 0 } ]
92467
92572
92572
{ "accepted_answer_id": "92470", "answer_count": 1, "body": "「reCAPTCHA v2」の「非表示 reCAPTCHA バッジ」を使用させていただいております。\n\nreCAPTCHAには無料版だと月100万回までとされているようなのですが、それを超えると具体的にどのような挙動をするのでしょうか。\n\n■やりたいこと \n・formの送信にreCAPTCHAのチェックを行う \n・reCAPTCHAの制限回数を超過していてロボットの判定が行えない場合は素通しする \n※ロボットによるform送信を許容する\n\n■気になっている点 \n・reCAPTCHAの制限回数を超過してformの送信自体ができなくなる仕様だと困る\n\n■ソース(参考)\n\n```\n\n <html>\n <head>\n <title>reCAPTCHAテスト</title>\n <script src=\"https://code.jquery.com/jquery-3.6.0.min.js\"></script>\n <script src=\"https://www.google.com/recaptcha/api.js\"></script>\n </head>\n <body>\n <form id=\"form1\" method=\"POST\">\n <input type=\"hidden\" id=\"submitType\" name=\"submitType\" value=\"\">\n <button\n id=\"recaptchaButton\"\n class=\"g-recaptcha\"\n data-sitekey=\"サイトキー\"\n data-callback=\"successCallback\"\n data-error-callback=\"errorCallback\"\n type=\"submit\"\n >送信</button>\n </form>\n <script type=\"text/javascript\">\n function successCallback(response) {\n $('#submitType').val('successCallback');\n $('#form1').submit();\n }\n \n function errorCallback(response) {\n $('#submitType').val('errorCallback');\n $('#form1').submit();\n }\n </script>\n </body>\n </html>\n \n```\n\nよろしくお願いいたします。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T05:20:35.600", "favorite_count": 0, "id": "92469", "last_activity_date": "2022-11-28T05:32:41.697", "last_edit_date": "2022-11-28T05:22:28.500", "last_editor_user_id": "55649", "owner_user_id": "55649", "post_type": "question", "score": 0, "tags": [ "recaptcha" ], "title": "reCAPTCHAの制限回数超過による挙動について", "view_count": 277 }
[ { "body": "Google の FAQ\nも参照してください。直ちに停止されるとの記載は見当たりませんが、ウィジェット部分にメッセージが表示されるのと、管理者宛にメール通知が届くようです。\n\n[Frequently Asked Questions | reCAPTCHA | Google\nDevelopers](https://developers.google.com/recaptcha/docs/faq#are-there-any-\nqps-or-daily-limits-on-my-use-of-recaptcha)\n\n> #### Are there any QPS or daily limits on my use of reCAPTCHA?\n>\n> (中略)\n>\n> If a v2 site key exceeds its monthly quota, then the following or a similar\n> message may be displayed to users in the reCAPTCHA widget for the remainder\n> of the month: `This site is exceeding reCAPTCHA quota.` Before quota is\n> enforced, site owners will be notified by email three times and given at\n> least 90 days to migrate to reCAPTCHA Enterprise. Site keys are considered\n> over quota if more than 1000000 calls per month are used for any domain.\n> This includes if this volume is spread across multiple keys on the same\n> domain.", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T05:32:41.697", "id": "92470", "last_activity_date": "2022-11-28T05:32:41.697", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "3060", "parent_id": "92469", "post_type": "answer", "score": 1 } ]
92469
92470
92470
{ "accepted_answer_id": null, "answer_count": 1, "body": "arduino IDEで開発です。スケッチ例のLteScanNetworks.inoで確認しています。 \n早いときは10秒程度で接続されattach succeededがでますが、 \n長いと20分以上接続されません。 \nSIMはtruphoneを使用しています。ドコモの4Gスマホの電波は良好です。 \n国内のSIMを使えば接続が早くなる可能性はあるでしょうか。 \n接続を早くする手続きはありますか。 \n拡張ボードのLTE LEDは不規則に点滅しています。 \nSignal Strengthは -90 前後です。 \nlteAccess.beginで2秒ちょっと \nlteAccess.attachで7秒から場合によって20分以上かかっています。 \n接続が不安定な場合、timeoutする方法はあるでしょうか。\n\n初めての接続ではない。 \n電源供給は確認した。\n\nよろしくお願いします。\n\n追記 \nもしかしたら、この状況でしょうか。 \n<https://www.soracom.io/blog/sim-activation-cellular-modem-fix/> \n何らかの原因でネットワークの情報のキャッシュがクリアされたとき、遅くなる? \n対策方法がいくつか出ていますが、arduinoIDEからどのように設定するのでしょうか。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T05:49:56.077", "favorite_count": 0, "id": "92471", "last_activity_date": "2022-12-18T11:38:06.400", "last_edit_date": "2022-12-18T11:38:06.400", "last_editor_user_id": "55650", "owner_user_id": "55650", "post_type": "question", "score": 0, "tags": [ "spresense" ], "title": "Spresense LTE拡張ボードで接続までに時間がかかる場合がある", "view_count": 236 }
[ { "body": "こんにちは。\n\n私はSoracomさんのSIMを使っておりますが、たいていの場合10秒くらい(長くても1分程度)でLTEにAttachできております。\n\n動作確認SIMに入っているSIMを使うと接続が早くなるかもしれません。 \n[LTE-M 動作確認SIM\nList](https://developer.sony.com/ja/develop/spresense/specifications/spresense-\nlte-sim-list)\n\n追記\n\n> 接続が不安定な場合、timeoutする方法はあるでしょうか。\n\n`lteAccess.attach()`\n関数は、一番最後の引数に同期/非同期のふるまいを選択できるようになっているので、これを`false`にすると途中で中断するプログラムを作成できると思います。 \n`LteGnssTracker.ino` サンプルが非同期のふるまいを使った方法を使っているので、参考になるかもしれません。", "comment_count": 3, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T01:21:32.977", "id": "92531", "last_activity_date": "2022-12-06T03:26:09.037", "last_edit_date": "2022-12-06T03:26:09.037", "last_editor_user_id": "32034", "owner_user_id": "32034", "parent_id": "92471", "post_type": "answer", "score": 1 } ]
92471
null
92531
{ "accepted_answer_id": null, "answer_count": 0, "body": "GoogleのOAuth認証を行うために、GoogleAPIクライアントライブラリを使用して、サーブレットのヘルパークラスを使用して、 \nサーブレット認証フローをコーディングしました。 \n<https://developers.google.com/api-client-library/java/google-oauth-java-\nclient/oauth2> \n上記を参考にServletSampleクラスとServletCallbackSampleを用意し、 \nGoogleのアクセス許可画面が表示され、アクセス許可を選択するとServletCallbackSampleの \nonSuccess(HttpServletRequest req, HttpServletResponse resp, Credential\ncredential)が実行されることは確認できました。 \nこれにより、認証できたという認識です。 \nonSuccessの引数から、認証コード、アクセストークン、リフレッシュトークンがとれていることを確認できました。 \nreq.getParameter(\"code\"); \ncredential.getAccessToken() \ncredential.getRefreshToken()\n\n次にGoogleAPIを実行したいと思うのですが、以下を見ますと、 \n<https://developers.google.com/api-client-library/java/google-api-java-\nclient/oauth2> \nアクセストークンがある場合は次の方法でリクエストを行うことが可能です\n\n```\n\n GoogleCredential credential = new GoogleCredential().setAccessToken(accessToken);\n Plus plus = new Plus.builder(new NetHttpTransport(),\n GsonFactory.getDefaultInstance(),\n credential)\n .setApplicationName(\"Google-PlusSample/1.0\")\n .build();\n \n```\n\nとあります。 \nここで伺いたいのですが、アクセストークンさえ保存しておけば(たとえばデータベースで管理したり) \nアクセストークンの期限内であればCredentialを作成し、APIが実行できる認識でいるのですが問題ないでしょうか? \nまた、GoogleCredentialは公式のドキュメントを見ますとDeprecated非推奨とあるのですが、 \nアクセストークンからcredentialを取得する方法はありますでしょうか?", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T08:03:27.610", "favorite_count": 0, "id": "92476", "last_activity_date": "2022-11-28T08:03:27.610", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "12842", "post_type": "question", "score": 1, "tags": [ "google-api" ], "title": "GoogleAPIクライアントライブラリを使用して認証時に手にしたアクセストークンでCredentialを作成したい", "view_count": 66 }
[]
92476
null
null
{ "accepted_answer_id": "92497", "answer_count": 2, "body": "###### 質問内容\n\nリファレンスサイトの`GET https://mastodon.example/api/v1/timelines/list/:list_id\nHTTP/1.1`でリストのタイムラインが取得できない原因が知りたい\n\n##### 試したこと\n\n他のwebclient系の処理は成功しているため通信は成功しています。\n\nコメント部のように`URL`を様々な形に変更して実験\n\n他の`webclient`系の通信処理が正常に行われるためエージェント等の処理は成功しています。\n\nコマンドプロンプトの出力がStatusCodeがOK以外場合が来ているので値を確認しています。\n\n`list_id`はwebブラウザ上のものと同じため正しいです\n\n`参考コード`は自分で記述して正常に動作しているのですがこれとまったく同じことをやっているので取得出来ているはずなので取得出来ません。\n\nリファレンス(View list timeline):https://docs.joinmastodon.org/methods/timelines/\n\n##### コマンドプロンプト\n\n```\n\n 10819\n mstdn.jp\n list_id=10819&Authorization=XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX\n NotFound\n \n```\n\n##### ソースコード\n\n```\n\n \n /*##################################################################################################################\n * リストタイムライン 取得\n ###################################################################################################################*/\n public async Task<List<JsonData.Post>?> getListTimeLine_Asnyc(string listID, string? max_id, string? since_id, string? min_id, string? limit)\n {\n //var response = await client.GetAsync(\"https://\" + instance + \"/api/v1/timelines/list/:\" + Method_Parameter.GetListTimeLine(listID,token,null, null, null, null).ReadAsStringAsync().Result);\n //var response = await client.GetAsync(\"https://\" + instance + \"/api/v1/timelines/list/:list_id?\" + Method_Parameter.GetListTimeLine(listID,token,null, null, null, null).ReadAsStringAsync().Result);\n //var response = await client.GetAsync(\"https://\" + instance + \"/api/v1/timelines/list/\" + Method_Parameter.GetListTimeLine(listID,token,null, null, null, null).ReadAsStringAsync().Result);\n //var response = await client.GetAsync(\"https://\" + instance + \"/api/v1/timelines/list/?\" + Method_Parameter.GetListTimeLine(listID,token,null, null, null, null).ReadAsStringAsync().Result);\n var response = await client.GetAsync(\"https://\" + instance + \"/api/v1/timelines/list/\" + Method_Parameter.GetListTimeLine(listID,token,null, null, null, null).ReadAsStringAsync().Result);\n var response = await client.GetAsync(\"https://\" + instance + \"/api/v1/timelines/list/:list_id\" + Method_Parameter.GetListTimeLine(listID,token,null, null, null, null).ReadAsStringAsync().Result);\n \n if (response.StatusCode == HttpStatusCode.OK)\n {\n var notice = await response.Content.ReadFromJsonAsync<List<JsonData.Post>>();\n \n List<JsonData.Post> list = new List<JsonData.Post>();\n foreach (JsonData.Post n in notice)\n {\n \n \n list.Add(n);\n }\n \n return list;\n }\n else\n {\n Console.WriteLine(listID);\n Console.WriteLine(instance);\n Console.WriteLine(Method_Parameter.GetListTimeLine(listID, token, null, null, null, null).ReadAsStringAsync().Result);\n Console.WriteLine(response.StatusCode);\n return null;\n }\n \n return null;\n \n }\n \n \n```\n\n```\n\n /*##################################################################################################################\n * リストタイムライン 取得\n ###################################################################################################################*/\n static public FormUrlEncodedContent GetListTimeLine(string listID,string token, string? max_id, string? since_id, string? min_id, string? limit)\n {\n var parameter = new Dictionary<string, string>();\n \n parameter.Add(\"list_id\", listID);\n //parameter.Add(\":list_id\", listID);\n parameter.Add(\"Authorization\", token);\n \n \n if (max_id != null)\n {\n parameter.Add(\"max_id\", max_id);\n }\n \n if (since_id != null)\n {\n parameter.Add(\"since_id\", since_id);\n }\n \n if (min_id != null)\n {\n parameter.Add(\"min_id\", min_id);\n }\n \n if (limit != null)\n {\n parameter.Add(\"limit\", limit);\n }\n \n return new FormUrlEncodedContent(parameter);\n }\n \n```\n\n##### 参考コード\n\n```\n\n /*##################################################################################################################\n * 通知一覧を取得\n ###################################################################################################################*/\n public async Task<List<Notice>?> getNotics_Asnyc()\n {\n var response = await client.GetAsync(\"https://\" + instance + \"/api/v1/notifications?\" + Method_Parameter.GetNotics(token,null,null,null,null,null,null).ReadAsStringAsync().Result);\n \n if (response.StatusCode == HttpStatusCode.OK)\n {\n var notice = await response.Content.ReadFromJsonAsync<List<JsonData.Notice>>();\n \n List<Notice> list = new List<Notice>();\n foreach(JsonData.Notice n in notice)\n {\n Notice nn = new Notice(n);\n \n list.Add(new Notice(n));\n }\n \n return list;\n }\n else\n {\n Console.WriteLine(\"getList_Async() \" + response.StatusCode);\n \n return null;\n }\n \n return null;\n \n }\n \n \n```", "comment_count": 4, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T08:15:53.273", "favorite_count": 0, "id": "92477", "last_activity_date": "2022-11-29T10:19:30.650", "last_edit_date": "2022-11-29T00:02:06.377", "last_editor_user_id": "55177", "owner_user_id": "55177", "post_type": "question", "score": -2, "tags": [ "c#" ], "title": "「GET https://mastodon.example/api/v1/timelines/list/:list_id HTTP/1.1」が取得できない原因が知りたい。", "view_count": 275 }
[ { "body": "##### 原因\n\nパスパラメータ、クエリパラメータ、ヘッダーがそれぞれ別のものであるとういことを見落としていました。結果リファレンスサイト通り以下のURLをGETすることにより取得出来ました。\n\n```\n\n var response = await client.GetAsync(\"https://\" + instance + \"/api/v1/timelines/list/\"+listID);\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-29T10:07:32.200", "id": "92496", "last_activity_date": "2022-11-29T10:07:32.200", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55177", "parent_id": "92477", "post_type": "answer", "score": 0 }, { "body": "APIアクセスできるようになるには、[リファレンス](https://docs.joinmastodon.org/methods/timelines/#list)の内容を理解して、アクセスすべきURLがどのようになるのかを自分で組み立てられるようにならなければなりません。原因は「リファレンスの理解不足」です。ですので、コードをいくら直そうが、正しいURLにはいつまで辿り着けないため、解決することはありません。\n\nMastodonのAPIの使い方は[Getting started with the\nAPI](https://docs.joinmastodon.org/client/intro/)に書いていますが、一般的なREST\nAPIを知っている人向けに書かれています。一般的なREST APIとは異なるかも知れない細部(そのほとんどはMastdonが作られたRuby on\nRails特有のもの)が述べられています。もし、Ruby on Railsを知らないのであれば、一読しておく必要があります。その上で、API\nリファレンス側を確認し、どのようなURLでアクセスすべきなのかを考えます。\n\nまず、URLが構成する要素について、きちんと知っているでしょうか?もし、知らないというのであれば、この先を読んでも理解はできません。その場合は、書籍などで勉強し直してください。\n\nURLは大きく分けて次の要素からなります。(これに加えて「ハッシュ」がありますが、今回は扱わないので省略します。)\n\n * スキーム\n * ホスト(ユーザー情報とポートがついている場合がある)\n * パス\n * クエリ\n\nこれを使ってURLを表すと`【スキーム】://【ホスト】【パス】?【クエリ】`という形です。では、リファレンスではこれらは、どのようになっているでしょうか?`GET\nhttps://mastodon.example/api/v1/timelines/list/:list_id HTTP/1.1`なので\n\n * スキーム: `https`\n * ホスト: `mastodon.example.com`\n * パス: `/api/v1/timelines/list/:list_id`\n * クエリ: なし?\n\nいいえ違います。\n\nまず、ホストは例では無く実際のサーバーになります。Mastdonは色々なサーバーがあるので、実際に使っているサーバーによって変わると言うことです。ここらへんはわかるかと思いますが、Twitterのような一つのサービスの場合はホストは不変だったりします。\n\n次にパスですが、ここに、このリファレンスがある程度REST\nAPIを知っている人向けに書かれているといえる所があります。パスのところで`:list_id`というのがありますが、\n**パスに`:`をそのまま書くことはできません。** もし、REST APIに詳しくなくても、これは **そのままパスの文字列にはできない**\nということに気付かなければなりません。では、`:list_id`は何かというと、パスの中に含まれるパラメーター「パスパラメーター/Path\nparamaters」というものです。では、どんな値になるのかはすぐしたの[Path\nparameters](https://docs.joinmastodon.org/methods/timelines/#path-\nparameters-1)に書いています。リストのIDが文字列としてそのまま入ると言うことです。どういうことかというと、もし、リストのIDが42の場合は、パスは`/api/v1/timelines/list/42`になるということです。\n\n最後にクエリですが、`GET`から始まるところにはクエリはありませんでした。ですが、クエリを付けられないという事ではありません。[Query\nparameters](https://docs.joinmastodon.org/methods/timelines/#query-\nparameters-3)に追加できるクエリがあります。たとえば、`limit`を30にしたいなら`limit=30`とクエリを追加できます。\n\nでは、リストのIDが42に対して、30個までを取る場合は具体的にどうなるのかを見ていきましょう。ホストは例のままにします。\n\n * スキーム: `https`\n * ホスト: `mastodon.example.com`\n * パス: `/api/v1/timelines/list/42`\n * クエリ: `limit=30`\n\nURLは次のようになります。\n\n`https://mastodon.example.com/api/v1/timelines/list/42?limit=30`\n\nこのようなURLへアクセスする必要があります。まずは、URLとなる文字列を生成し、それが想定通りの値になっているかを`Console.WriteLine()`等で確認してください。\n\n最後に、ヘッダーに認可トークン(`Authorization`)が含まれる必要がありますが、他ができていれば、たぶんできているでしょう。\n\n* * *\n\nなお、既に[C#のライブラリ](https://docs.joinmastodon.org/client/libraries/#c-net-\nstandard)があるので、自分で組むのは車輪の再発明だし、こちらを組み込んだ方が早いと思います。もし、REST\nAPIの勉強のためというのであれば、Qiita APIとか日本語の解説がついているもののほうが最初はやりやすいと思います。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-29T10:19:30.650", "id": "92497", "last_activity_date": "2022-11-29T10:19:30.650", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "7347", "parent_id": "92477", "post_type": "answer", "score": 4 } ]
92477
92497
92497
{ "accepted_answer_id": "92486", "answer_count": 3, "body": "競技プログラミングでメモリ制限が1024Mとなっていて、これ以上のメモリ使用ができないようにしたいのですが、コンパイラオプションでこれを実現するようなものがありましたら教えていただきたいです。", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T08:27:03.360", "favorite_count": 0, "id": "92478", "last_activity_date": "2022-11-28T23:08:52.037", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55503", "post_type": "question", "score": 0, "tags": [ "c++" ], "title": "C++でメモリ制限を指定した値にする方法はありますか?", "view_count": 366 }
[ { "body": "Visual Studioのデバッグでメモリ使用量を測定するのでは駄目ですか?", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T11:41:40.003", "id": "92483", "last_activity_date": "2022-11-28T12:06:07.420", "last_edit_date": "2022-11-28T12:06:07.420", "last_editor_user_id": "3060", "owner_user_id": "50767", "parent_id": "92478", "post_type": "answer", "score": 0 }, { "body": "C++であればメモリ確保・解放は次の4関数に集約されています。\n\n```\n\n void* operator new(size_t size);\n void* operator new[](size_t size);\n void operator delete(void* ptr);\n void operator delete[](void* ptr);\n \n```\n\nこれらを再定義(内部で`malloc` /\n`free`を呼ぶといいでしょう)してしまえば、メモリ確保・解放によるメモリ使用量の増減を把握できます。その上で`new`内で独自にメモリ上限を管理することで実現できるかと思います。\n\nただし、この方法は`malloc`他のメモリ確保には関与できていません。\n\n* * *\n\n> vector等のライブラリを使うときには難しいかもしれませんが\n\n誤解されています。`std::vector`を含むSTL; 標準テンプレートライブラリやその他の適切に設計されたC++ライブラリは最終的に前述の`new`\n/ `delete`を呼び出すように設計されています。 \n一例として[`std::vector`](https://cpprefjp.github.io/reference/vector/vector.html)はメモリ操作にテンプレート型引数`Allocator`を使用し、省略時のデフォルト値は[`std::allocator`](https://cpprefjp.github.io/reference/memory/allocator.html)です。このため、`std::vector`が要素を確保する際は[`std::allocator::allocate()`](https://cpprefjp.github.io/reference/memory/allocator/allocate.html)を呼び出します。この関数は\n\n> ストレージは、`::operator new(std::size_t)`の呼び出しによって取得される。\n\nと説明のある通りです。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T12:19:24.807", "id": "92484", "last_activity_date": "2022-11-28T22:48:05.833", "last_edit_date": "2022-11-28T22:48:05.833", "last_editor_user_id": "4236", "owner_user_id": "4236", "parent_id": "92478", "post_type": "answer", "score": 1 }, { "body": "[unix](/questions/tagged/unix \"'unix' のタグが付いた質問を表示\") や\n[linux](/questions/tagged/linux \"'linux' のタグが付いた質問を表示\") では `ulimit -d` ([man\nbash](https://linuxjm.osdn.jp/html/GNU_bash/man1/bash.1.html))\nでできるかもしれません。ちなみに [cygwin](/questions/tagged/cygwin \"'cygwin' のタグが付いた質問を表示\")\nでは無理でした。 \n# って書くと「コンパイルオプションで」解決してないじゃんってかみつく人がいそう", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T23:08:52.037", "id": "92486", "last_activity_date": "2022-11-28T23:08:52.037", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "8589", "parent_id": "92478", "post_type": "answer", "score": 5 } ]
92478
92486
92486
{ "accepted_answer_id": "92512", "answer_count": 1, "body": "```\n\n month,day,count\n 10 1 5\n 10 2 6\n 11 3 7\n 11 4 8\n \n```\n\nのような日付ごとの数字データが有って \nこれを月ごとの最大値を記録した行を出力したいです\n\n求める結果\n\n```\n\n 10 2 6\n 11 4 8\n \n```\n\n10月は2日に6 \n11月は4日に8 \nと言う感じです\n\n* * *\n\n月と最大値だけ表にするのは\n\n```\n\n =query(A:C,\"select A, max(C) where A IS NOT NULL group by A\", false)\n \n```\n\n```\n\n max \n 10 6\n 11 8\n \n```\n\nとかでできるんですがその最大値を取る日付も出力するのはどうすればできるでしょうか\n\n<https://qiita.com/nogitsune413/items/f413268d01b4ea2394b1> \nSQL だとサブクエリとJOINしたりしてできそうなんですが \nスプレッドシートでもやる方法ってありますか?\n\n* * *\n\nあるいは = query の結果を1列目と3列目のように間をあけて出力することはできないでしょうか\n\n日付は lookup なりを使えば別にうめることはできそうなんですが \nquery 結果が前2列にうまってしまうので \n間の2列目に日付を入れたいです", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T09:53:25.280", "favorite_count": 0, "id": "92481", "last_activity_date": "2022-11-30T06:03:31.177", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": null, "post_type": "question", "score": 1, "tags": [ "google-spreadsheet" ], "title": "指定列が最大値の行を出力したい", "view_count": 183 }
[ { "body": "下記のようなサンプルはいかがでしょうか。\n\n### Sample formula:\n\n```\n\n =BYROW(UNIQUE(FILTER(A2:A,A2:A<>\"\")),LAMBDA(R,SORTN(QUERY(A2:C,\"SELECT * WHERE A=\"&R),1,0,3,FALSE)))\n \n```\n\n * 列AからUnique値を取得し、それを使用してグループごとにソートを行い、列Cが最大値の行を取得する流れです。\n\n### Testing:\n\n表示されている表がヘッダ込みでセル A1:C5 の場合、例えば、セルE2へ上記の式を入れると、下記のような結果が得られます。\n\n[![画像の説明をここに入力](https://i.stack.imgur.com/GA0RC.png)](https://i.stack.imgur.com/GA0RC.png)\n\n### References:\n\n * [BYROW](https://support.google.com/docs/answer/12570930)\n * [LAMBDA](https://support.google.com/docs/answer/12508718)\n * [SORTN](https://support.google.com/docs/answer/7354624)", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-30T06:03:31.177", "id": "92512", "last_activity_date": "2022-11-30T06:03:31.177", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "19460", "parent_id": "92481", "post_type": "answer", "score": 5 } ]
92481
92512
92512
{ "accepted_answer_id": null, "answer_count": 0, "body": "主にHTMLとCSSで作ったウェブサイトを公開しようとしているところです。パソコンだと正常に動くのに対して、iPhoneで確認しようとすると、固まって内容が見られなくなります。下記は作ったウェブサイトの1つのページのコードですが、どうでしょうか?ウェブページが重くてモバイルで上手く動きませんか?\n\n```\n\n <!DOCTYPE html>\n <html lang=\"ja\">\n \n <meta name=\"viewport\" content=\"width=device-width, initial-scale=1.0;\" charset=\"utf-8\">\n \n <body>\n \n <style>\n html {\n visibility: hidden;\n opacity: 0;\n }\n </style>\n \n <title>MORIKOBOSHI・</title>\n \n <div class=\"page-wrap\">\n \n <div class=\"cp_cont\">\n <input id=\"cp_toggle03\" type=\"checkbox\" />\n <div class=\"cp_mobilebar\">\n <label for=\"cp_toggle03\" class=\"cp_menuicon\">\n <span></span>\n </label>\n </div>\n <label id=\"h-menu_black\" class=\"cp_toggle03\" for=\"cp_menuicon\"></label>\n <div id=\"body\" class=\"noscroll\"></div>\n \n <header class=\"cp_offcm03\">\n \n <nav>\n <ul style=\"text-align: center; margin-left: 210px; overflow: hidden; padding-bottom: 10px;\">\n \n <li style=\"border-bottom: .05px solid lightgray;\"><a href=\"#\">ホーム</a></li>\n <li style=\"border-bottom: .05px solid lightgray;\"><a href=\"#\">ブログ</a></li>\n <li style=\"border-bottom: .05px solid lightgray;\"><a href=\"#\">このサイトについて</a></li>\n <li style=\"border-bottom: .05px solid lightgray;\"><a href=\"#\">参考文献</a></li>\n \n \n <div class=\"searchbar\">\n \n <form id=\"frmSearch\" class=\"search2\" method=\"get\" action=\"default.html\" style=\" padding-right: 10px; padding-top: 20px; text-align: center; position: inline;\">\n <input class=\"search2\" id=\"txtSearch\" type=\"text\" placeholder=\"Googleカスタム検索\" name=\"serach_bar\" size=\"31\" maxlength=\"255\" value=\"\" style=\"top: 185px; width: 180px; height: 26px;\">\n <input class=\"search1\" type=\"submit\" name=\"submition\" value=\"検索\" style=\"padding-left: 5px; top: 153px; height: 25px; width: 34px; display: inline-flex; justify-content: center;\">\n <input class=\"search2\" type=\"hidden\" name=\"sitesearch\" value=\"default.html\">\n </form>\n </div>\n \n \n <script type=\"text/javascript\">\n document.getElementById('frmSearch').onsubmit = function() {\n window.location = 'http://www.google.com/search?q=site:morikoboshi.com' + document.getElementById('txtSearch').value;\n return false;\n }\n </script>\n \n \n <script>\n document.getElementById('cp_toggle03').onchange = function() {\n if (document.getElementById('cp_toggle03').checked) {\n document.body.style.overflow = \"hidden\";\n } else {\n document.body.style.overflow = \"\";\n }\n }\n \n if (!!window.performance && window.performance.navigation.type == 2) {\n window.location.reload();\n }\n </script>\n \n </ul>\n </nav>\n </header>\n \n <div class=\"setsumei\">\n <br>\n <h1 style=\"text-align: center; font-size: 40px;\">◯◯◯◯</h1>\n <br>\n <p style=\"text-align: justify; font-size: 16px;\"></p>\n \n <p style=\"text-align: center; font-size: 13px;\">著者:◯◯◯◯</p>\n <p style=\"text-align: center; font-size: 13px;\">撮影日:◯◯◯◯年◯◯月◯◯日</p>\n \n <br><br>\n <p style=\"text-align: justify; font-size: 16px;\">\n \n #\n </p>\n \n </div>\n \n <br><br>\n <div class=\"image\">\n \n <a href=\"#\"><img src=\"#\" alt=\"#\" width=\"90%\"></a>\n \n <br><br>\n <a href=\"#\"><img src=\"#\" alt=\"#\" width=\"90%\"></a>\n \n <br><br>\n <a href=\"#\"><img src=\"#\" alt=\"#\" width=\"90%\"></a>\n \n <br><br>\n <a href=\"#\"><img src=\"#\" alt=\"#\" width=\"90%\"></a>\n \n <br><br>\n <a href=\"#\"><img src=\"#\" alt=\"#\" width=\"90%\"></a>\n \n <br><br>\n <a href=\"#\"><img src=\"#\" alt=\"#\" width=\"90%\"></a>\n \n <br><br>\n <a href=\"#\"><img src=\"#\" alt=\"#\" width=\"90%\"></a>\n \n <br><br>\n <a href=\"#\"><img src=\"#\" alt=\"#\" width=\"90%\"></a>\n \n <br><br>\n <a href=\"#\"><img src=\"#\" alt=\"#\" width=\"90%\"></a>\n \n <br><br>\n <a href=\"#\"><img src=\"#\" alt=\"#\" width=\"90%\"></a>\n \n </div>\n </div>\n \n <br><br>\n <footer class=\"site-footer\" style=\"font-size: 12px;\">MORIKOBOSHI© | <a href=\"#\">English</a></footer>\n \n </div>\n \n <style>\n html {\n visibility: visible;\n opacity: 1;\n }\n \n .body {\n background-color: white;\n font-family: sans-serif;\n }\n \n .searchbar {\n float: right;\n }\n \n .image {\n text-align: center;\n }\n \n .setsumei {\n margin-left: 20px;\n margin-right: 20px;\n }\n \n .footer {\n width: 100%;\n height: 40px;\n text-align: center;\n border-top: 1px solid black;\n position: absolute;\n bottom: 0;\n padding: 10px;\n }\n \n .page-wrap {\n min-height: 100%;\n /* equal to footer height */\n margin-bottom: -40px;\n }\n \n .page-wrap:after {\n content: \"\";\n display: block;\n }\n \n .site-footer,\n .page-wrap:after {\n /* .push must be the same height as footer */\n height: 20px;\n }\n \n .site-footer {\n text-align: center;\n border-top: 1px solid black;\n padding: 10px;\n }\n \n *,\n *:before,\n *:after {\n padding-left: 0;\n margin: 0;\n box-sizing: border-box;\n }\n \n ol,\n ul {\n list-style: none;\n }\n \n a {\n text-decoration: none;\n color: black;\n }\n \n .cp_cont {\n height: auto;\n }\n /* menu */\n \n .cp_offcm03 {\n position: relative;\n z-index: 5000;\n top: 0;\n left: 0;\n right: 0;\n bottom: 0;\n overflow: auto;\n width: 100%;\n height: auto;\n padding-top: 0;\n -webkit-transition: transform 0.3s ease-in;\n transition: transform 0.3s ease-in;\n text-align: center;\n color: black;\n background-color: white;\n }\n \n .cp_offcm03 nav,\n .cp_offcm03 ul {\n height: 100%;\n }\n \n .cp_offcm03 li {\n display: inline-block;\n margin-right: -6px;\n }\n \n .cp_offcm03 a {\n display: block;\n padding: 15px 45px;\n margin-bottom: -5px;\n -webkit-transition: background-color .3s ease-in;\n transition: background-color .3s ease-in;\n }\n \n .cp_offcm03 a:hover {\n background-color: lightgray;\n }\n /* menu toggle */\n \n #cp_toggle03 {\n display: none;\n }\n \n #cp_toggle03:checked~.cp_offcm03 {\n -webkit-transform: translateX(0);\n transform: translateX(0);\n }\n \n #cp_toggle03:checked~.cp_container {\n -webkit-transform: translateX(0);\n transform: translateX(0);\n }\n \n .cp_mobilebar {\n display: none;\n }\n /* content */\n \n .cp_container {\n position: relative;\n top: 0;\n padding: 35px auto;\n -webkit-transition: transform .3s ease-in;\n transition: transform .3s ease-in;\n }\n \n .cp_content {\n margin: 0 auto;\n padding: 20px;\n height: 65vh;\n text-align: center;\n }\n \n @media (max-width: 1130px)and (min-width: 280px) {\n /* menu */\n .cp_offcm03 {\n position: fixed;\n left: -250px;\n overflow-y: hidden;\n width: 250px;\n height: 100%;\n padding-top: 40px;\n color: black;\n background-color: white;\n z-index: 1000;\n }\n .cp_offcm03 nav {\n background: white;\n border-right: 0.5px solid lightgray;\n margin-left: -210px;\n }\n .cp_offcm03 li {\n display: block;\n margin-right: 0;\n }\n .cp_offcm03 a {\n padding: 20px;\n }\n /* menu toggle */\n .cp_mobilebar {\n display: block;\n z-index: 2000;\n position: relative;\n top: 0;\n left: 0;\n padding: 0 25px;\n width: 100%;\n height: 40px;\n background-color: white;\n border-bottom: .05px solid lightgray;\n }\n .cp_menuicon {\n display: block;\n position: relative;\n width: 25px;\n height: 100%;\n cursor: pointer;\n -webkit-transition: transform .3s ease-in;\n transition: transform .3s ease-in;\n }\n .cp_menuicon>span {\n display: block;\n position: absolute;\n top: 55%;\n margin-top: -0.3em;\n width: 100%;\n height: 0.2em;\n border-radius: 1px;\n background-color: black;\n -webkit-transition: transform .3s ease;\n transition: transform .3s ease;\n }\n .cp_menuicon>span:before,\n .cp_menuicon>span:after {\n content: \"\";\n position: absolute;\n width: 100%;\n height: 100%;\n border-radius: 1px;\n background-color: black;\n -webkit-transition: transform .3s ease-in;\n transition: transform .3s ease-in;\n }\n .cp_menuicon>span:before {\n -webkit-transform: translateY(-0.6em);\n transform: translateY(-0.6em);\n }\n .cp_menuicon>span:after {\n -webkit-transform: translateY(0.6em);\n transform: translateY(0.6em);\n }\n #cp_toggle03:checked+.cp_mobilebar .cp_menuicon {\n -webkit-transform: rotate(45deg);\n transform: rotate(45deg);\n }\n #cp_toggle03:checked+.cp_mobilebar span:before,\n #cp_toggle03:checked+.cp_mobilebar span:after {\n -webkit-transform: rotate(90deg);\n transform: rotate(90deg);\n }\n #cp_toggle03:checked~.cp_offcm03 {\n -webkit-transform: translateX(100%);\n transform: translateX(100%);\n }\n #cp_toggle03:checked~.cp_container {\n -webkit-transform: translateX(250px);\n transform: translateX(250px);\n }\n input:checked~#h-menu_black {\n display: block;\n /*カバーを表示*/\n opacity: .6;\n }\n #h-menu_black {\n display: none;\n position: fixed;\n z-index: 999;\n top: 0;\n left: 0;\n width: 100%;\n height: 100%;\n background: black;\n opacity: 0;\n transition: .7s ease-in-out;\n }\n /* content */\n .cp_container {\n top: 60px;\n height: 92vh;\n text-align: center;\n }\n .noscroll {\n overflow: hidden;\n position: fixed;\n }\n </style>\n \n </body>\n \n </html>\n```", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-28T22:23:08.627", "favorite_count": 0, "id": "92485", "last_activity_date": "2022-11-29T14:33:33.330", "last_edit_date": "2022-11-29T14:33:33.330", "last_editor_user_id": "3060", "owner_user_id": "52414", "post_type": "question", "score": 0, "tags": [ "ios", "html", "css" ], "title": "作成した web ページを iPhone で開くと固まってしまう", "view_count": 91 }
[]
92485
null
null
{ "accepted_answer_id": "92753", "answer_count": 1, "body": "### 前提\n\n3次元のグラフを作成しました。テキストファイルのトポロジー情報を読み込み3次元のグラフをmatplotlibによって出力するといったものです。\n\n### 実現したいこと\n\n本プログラムのリンクをグラデーションを加えてみたいと考えています。\n\n### 該当のソースコード\n\n本ソースコードは前提の項で述べた3次元のグラフを出力するものですが、`cmap='ocean'`を追加しています\n\n```\n\n import matplotlib.pyplot as plt\n from mpl_toolkits.mplot3d import Axes3D\n import networkx as nx\n import numpy as np\n import tkinter.filedialog as fd\n \n path = fd.askopenfilename()\n \n # 3.2_トポロジー情報(.txt)の読み込み\n with open(path, \"r\") as tf:\n line = tf.read().split()\n ran = int(len(line) / 2)\n \n # 3.3_エッジのリストを読み込む\n G = nx.read_edgelist(path,nodetype=int)\n edge_size = nx.number_of_edges(G) # リンク数\n node_size = nx.number_of_nodes(G) # ノード数\n \n # spring_layout アルゴリズムで、3次元の座標を生成する\n pos = nx.spring_layout(G, dim=3)\n # 辞書型から配列型に変換\n pos_ary = np.array([pos[n] for n in G])\n \n # ここから可視化\n fig = plt.figure()\n ax = Axes3D(fig)\n \n # 各ノードの位置に点を打つ\n ax.scatter(\n pos_ary[:, 0],\n pos_ary[:, 1],\n pos_ary[:, 2],\n s=200,\n )\n \n # ノードにラベルを表示する\n for n in G.nodes:\n ax.text(*pos[n], n)\n \n # エッジの表示\n for e in G.edges:\n node0_pos = pos[e[0]]\n node1_pos = pos[e[1]]\n xx = [node0_pos[0], node1_pos[0]]\n yy = [node0_pos[1], node1_pos[1]]\n zz = [node0_pos[2], node1_pos[2]]\n ax.plot(xx, yy, zz, cmap='ocean')\n \n # 出来上がった図を表示\n plt.show()\n \n```\n\n以下は読み込むべきテキストファイル(トポロジー情報)です。\n\n```\n\n 1 10\n 1 11\n 1 14\n 1 20\n 2 9\n 2 12\n 2 13\n 2 15\n 2 16\n 3 10\n 3 11\n 3 20\n 4 5\n 4 8\n 4 9\n 5 4\n 5 9\n 6 7\n 6 14\n 7 6\n 7 18\n 8 4\n 8 11\n 8 14\n 8 19\n 9 2\n 9 4\n 9 5\n 10 1\n 10 3\n 11 1\n 11 3\n 11 8\n 11 13\n 12 2\n 12 16\n 13 2\n 13 11\n 14 1\n 14 6\n 14 8\n 15 2\n 15 17\n 15 21\n 16 2\n 16 12\n 17 15\n 18 7\n 18 21\n 19 8\n 19 20\n 20 1\n 20 3\n 20 19\n 20 21\n 21 15\n 21 18\n 21 20\n \n```\n\nエラー文は以下の通りです。\n\n```\n\n Traceback (most recent call last):\n File \"C:/Program Files/Python36/質問用.py\", line 47, in <module>\n ax.plot(xx, yy, zz, cmap='ocean')\n File \"C:\\Users\\████\\AppData\\Roaming\\Python\\Python36\\site-packages\\mpl_toolkits\\mplot3d\\axes3d.py\", line 1471, in plot\n lines = super().plot(xs, ys, *args, **kwargs)\n File \"C:\\Users\\████\\AppData\\Roaming\\Python\\Python36\\site-packages\\matplotlib\\axes\\_axes.py\", line 1743, in plot\n lines = [*self._get_lines(*args, data=data, **kwargs)]\n File \"C:\\Users\\████\\AppData\\Roaming\\Python\\Python36\\site-packages\\matplotlib\\axes\\_base.py\", line 273, in __call__\n yield from self._plot_args(this, kwargs)\n File \"C:\\Users\\████\\AppData\\Roaming\\Python\\Python36\\site-packages\\matplotlib\\axes\\_base.py\", line 419, in _plot_args\n for j in range(max(ncx, ncy))]\n File \"C:\\Users\\████\\AppData\\Roaming\\Python\\Python36\\site-packages\\matplotlib\\axes\\_base.py\", line 419, in <listcomp>\n for j in range(max(ncx, ncy))]\n File \"C:\\Users\\████\\AppData\\Roaming\\Python\\Python36\\site-packages\\matplotlib\\axes\\_base.py\", line 312, in _makeline\n seg = mlines.Line2D(x, y, **kw)\n File \"C:\\Users\\████\\AppData\\Roaming\\Python\\Python36\\site-packages\\matplotlib\\lines.py\", line 390, in __init__\n self.update(kwargs)\n File \"C:\\Users\\████\\AppData\\Roaming\\Python\\Python36\\site-packages\\matplotlib\\artist.py\", line 996, in update\n raise AttributeError(f\"{type(self).__name__!r} object \"\n AttributeError: 'Line2D' object has no property 'cmap'\n \n```", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-29T02:19:48.817", "favorite_count": 0, "id": "92487", "last_activity_date": "2022-12-13T13:37:05.393", "last_edit_date": "2022-11-30T04:20:48.810", "last_editor_user_id": "55268", "owner_user_id": "55268", "post_type": "question", "score": 0, "tags": [ "python", "python3", "matplotlib", "networkx" ], "title": "Networkxのリンクをグラデーションに染めたい", "view_count": 137 }
[ { "body": "実現したいことは「29個の辺の色を順番に少しずつ変えていく」と解釈して記述例を示します。 \nなお,実行環境は「 macOS13(M1), Python 3.10.8, matplotlib 3.6.2 」ですが,この matplotlib は\n`ax = Axes3D(fig)` では描画できなかったので変更しています。また,辺と色の対応がわかりやすいように凡例も付加しました。\n\n```\n\n import matplotlib.pyplot as plt\n # from mpl_toolkits.mplot3d import Axes3D\n from matplotlib import cm # added\n \n # ...\n \n # ax = Axes3D(fig)\n ax = fig.add_subplot(projection='3d')\n \n # ...\n \n for i, e in enumerate(G.edges):\n node0_pos = pos[e[0]]\n node1_pos = pos[e[1]]\n xx = [node0_pos[0], node1_pos[0]]\n yy = [node0_pos[1], node1_pos[1]]\n zz = [node0_pos[2], node1_pos[2]]\n ax.plot(xx, yy, zz, linewidth=5,\n color=cm.ocean(i/(edge_size-1)),\n label=f'{e[0]:2d} - {e[1]:2d}')\n \n hndls, lbls = ax.get_legend_handles_labels()\n ax.legend(handles=hndls, labels=lbls,\n loc='center left',\n bbox_to_anchor=(1.1, 0.5),\n fontsize=6)\n \n plt.show()\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-13T13:37:05.393", "id": "92753", "last_activity_date": "2022-12-13T13:37:05.393", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "54588", "parent_id": "92487", "post_type": "answer", "score": 0 } ]
92487
92753
92753
{ "accepted_answer_id": null, "answer_count": 0, "body": "unityエラーの解決方法を教えてください。\n\n**エラーメッセージ:**\n\n```\n\n GameView.Repaint Waiting for Unity’s code in UnityEditer.CoreModule.dll to finish executing.\n \n```\n\n数日前から何度も同じエラーが出ています。 \n強制終了などで再度やり直したり、10分以上放置していると消えて、しばらくは使用できるのですが、少し経つとまたエラー吐きます。\n\n### エラーについて:\n\nエラーメッセージ殆どはGameView.Repaint Waiting for Unity’s code in\nUnityEditer.CoreModule.dll to finish executingたまにscene hierarchy Window\nrdpaint Waiting for Unity’s code in UnityEditer.CoreModule.dll to finish\nexecuting \nマウスポインターが↔になる。(動くがクリックなど反応なし)\n\n### 発生時の状況、エラータイミング、頻度:\n\n(※Unity:2021.3.1時)\nUnityにてパーティクルシステムでエフェクト作成の作業時に出現、決まった挙動の時に出ているわけではない。2日前ごろから、しばらく問題なく作業できるが作業開始後2時間後や再起動すぐになどに出現。その後10分ほどすると消えるが再度出現、それはすぐにだったり、しばらくしてからだったり不規則。 \n(※2022.1.23に更新後)再度同様のエラーが出現する。ただ5分以内に消えるときもある。\n\n### 今までしたこと:\n\n強制終了、タスクマネージャーから削除、待つ、バージョン更新\n\n#### UNITY環境:\n\n2022.1.23f1 <プロジェクト:3D>\n\n#### PC環境:\n\nAMD Ryzen 5 PRO 5650GE with Radeon Graphics 3.40 GHz、64.0 GB (63.4 GB\n使用可能)、Windows11 Home、22H2、390Mbps\n\n#### もしかしたら:\n\nバージョンアップして間もないのですが、エラーは出ています。その中で、シーンビューとゲームビューを横並べで制作しているのですが、ゲームビュー、シーンビューなどのウインドウ(?)、プロジェクト画面(?)の比率を変更しようとした時にエラーが出ます。\n\n(上記から約2時間後)その後、やはりHierarchyやScene、Gameなどのウインドウの比率を調節しようとするとエラーが出ました。", "comment_count": 6, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-29T02:59:52.997", "favorite_count": 0, "id": "92488", "last_activity_date": "2022-11-29T06:59:37.920", "last_edit_date": "2022-11-29T06:59:37.920", "last_editor_user_id": "55666", "owner_user_id": "55666", "post_type": "question", "score": 0, "tags": [ "c#", "windows", "unity3d" ], "title": "Unityのエラーについて", "view_count": 543 }
[]
92488
null
null
{ "accepted_answer_id": "92494", "answer_count": 3, "body": "原因/対処法が不明のため、質問させてください \n以下のコードのように10個ある要素の組み合わせをすべて出し、それをタプルから集合に変換しました\n\n```\n\n #要素の個数\n J = 10\n \n #要素の全組み合わせ\n subsets = [\n s\n for j in range(J + 1)\n for s in combinations(range(J), j)\n ]\n \n #各組合せをタプル⇒集合に変換。左に元のタプル型、右に集合として並べて比べてみる\n for j in range(J):\n for s_union_j in subsets:\n s_union_j_set = set(s_union_j)\n print (s_union_j, s_union_j_set) \n \n \n```\n\nその結果、以下のように元のタプルと集合が出力されますが、このときなぜか(X, 8又は9)\n(Xは8未満)となっているものに関しては、(8又は9,X)のように値のカッコ内の位置が逆転してしまいます (黄色ハイライト参照) \n8以上の値のときこの事象が起こり、それ以下の値のときは逆転は起こらないようです\n\n[![画像の説明をここに入力](https://i.stack.imgur.com/bjNV4.png)](https://i.stack.imgur.com/bjNV4.png)\n\nこちらの原因としては何で、元の順序関係を保持したまま集合に変換するにはどのようにすればよいでしょうか\n\nよろしくおねがいします", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-29T05:59:44.327", "favorite_count": 0, "id": "92491", "last_activity_date": "2022-11-30T05:46:04.713", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "44061", "post_type": "question", "score": 1, "tags": [ "python" ], "title": "タプルから集合に変換すると\"8\"の順序が逆転する", "view_count": 198 }
[ { "body": "sorted(s_union_j_set)とすれば元のタプルの順序関係に戻すことができますが、なぜ8以上の数値があると順序が逆転するのか、後学のためご存知の方がいらっしゃいましたらご教示いただけますと幸いです。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-29T06:19:27.023", "id": "92492", "last_activity_date": "2022-11-29T06:19:27.023", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "44061", "parent_id": "92491", "post_type": "answer", "score": 0 }, { "body": "想像を多分に含んだ話です。\n\n* * *\n\npythonの`set`はハッシュテーブルで実装しているそうです。\n\n例えば`[1,2,8]`を`set`に変換すると \n十分少ない要素のsetに対してはルート配列の要素が8、 \nつまりハッシュ値を8で割った余りごとにまとめて管理していると仮定して \n数値オブジェクトのハッシュはたいてい数値そのままなので\n\n```\n\n [\n [8], # 0\n [1], # 1\n [2], # 2\n [], # 3\n [], # 4\n [], # 5\n [], # 6\n [], # 7\n ]\n \n```\n\nという内部構造になり、`print`するときはおそらく先頭から順番に表示するので \n質問のような現象が起こるのではないでしょうか。\n\n実際何が起きているかはCPythonのコード \n<https://github.com/python/cpython/blob/main/Objects/setobject.c> \nを読めばわかりそうです。私は諦めました。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-29T06:52:10.133", "id": "92494", "last_activity_date": "2022-11-29T07:08:59.673", "last_edit_date": "2022-11-29T07:08:59.673", "last_editor_user_id": "13127", "owner_user_id": "13127", "parent_id": "92491", "post_type": "answer", "score": 3 }, { "body": "> 元の順序関係を保持したまま集合に変換するにはどのようにすればよいでしょうか\n\n不可能です。Python言語の`set`(集合)型は\n[順序なしコレクション](https://docs.python.org/ja/3/library/stdtypes.html#set-types-set-\nfrozenset) と規定されますから、`set`型に変換した時点で順序に関する保証は一切なくなります。\n\nPython処理系毎に結果は変化する可能性があります。\n\n * CPython 3.10の例:<https://wandbox.org/permlink/MYtuvLz2oAvLwmyl>\n * pypy7.3の例:<https://wandbox.org/permlink/5Jt0WwNfzm74x9vk>", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-30T05:46:04.713", "id": "92510", "last_activity_date": "2022-11-30T05:46:04.713", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "49", "parent_id": "92491", "post_type": "answer", "score": 2 } ]
92491
92494
92494
{ "accepted_answer_id": null, "answer_count": 0, "body": "<https://farml1.com/object_counter/> \nを試みています。 \n物体検出数のカウント出力の項目でつまづいてしまいました。\n\nエラーは出ていないのですが、個数がカウントされません。 \nどうすればいいかご教授いただければ幸いです。\n\ndetect_2.pyのダウンロード先 \n↓ \n<https://github.com/ultralytics/yolov5>\n\n追加したコード↓\n\n```\n\n # YOLOv5 by Ultralytics, GPL-3.0 license\n \"\"\"\n Run YOLOv5 detection inference on images, videos, directories, globs, YouTube, webcam, streams, etc.\n \n Usage - sources:\n $ python detect.py --weights yolov5s.pt --source 0 # webcam\n img.jpg # image\n vid.mp4 # video\n path/ # directory\n 'path/*.jpg' # glob\n 'https://youtu.be/Zgi9g1ksQHc' # YouTube\n 'rtsp://example.com/media.mp4' # RTSP, RTMP, HTTP stream\n \n Usage - formats:\n $ python detect.py --weights yolov5s.pt # PyTorch\n yolov5s.torchscript # TorchScript\n yolov5s.onnx # ONNX Runtime or OpenCV DNN with --dnn\n yolov5s.xml # OpenVINO\n yolov5s.engine # TensorRT\n yolov5s.mlmodel # CoreML (macOS-only)\n yolov5s_saved_model # TensorFlow SavedModel\n yolov5s.pb # TensorFlow GraphDef\n yolov5s.tflite # TensorFlow Lite\n yolov5s_edgetpu.tflite # TensorFlow Edge TPU\n yolov5s_paddle_model # PaddlePaddle\n \"\"\"\n \n import argparse\n import os\n import platform\n import sys\n from pathlib import Path\n \n import torch\n \n FILE = Path(__file__).resolve()\n ROOT = FILE.parents[0] # YOLOv5 root directory\n if str(ROOT) not in sys.path:\n sys.path.append(str(ROOT)) # add ROOT to PATH\n ROOT = Path(os.path.relpath(ROOT, Path.cwd())) # relative\n \n from models.common import DetectMultiBackend\n from utils.dataloaders import IMG_FORMATS, VID_FORMATS, LoadImages, LoadScreenshots, LoadStreams\n from utils.general import (LOGGER, Profile, check_file, check_img_size, check_imshow, check_requirements, colorstr, cv2,\n increment_path, non_max_suppression, print_args, scale_boxes, strip_optimizer, xyxy2xywh)\n from utils.plots import Annotator, colors, save_one_box\n from utils.torch_utils import select_device, smart_inference_mode\n \n \n @smart_inference_mode()\n def run(\n weights=ROOT / 'yolov5s.pt', # model path or triton URL\n source=ROOT / 'data/images', # file/dir/URL/glob/screen/0(webcam)\n data=ROOT / 'data/coco128.yaml', # dataset.yaml path\n imgsz=(640, 640), # inference size (height, width)\n conf_thres=0.25, # confidence threshold\n iou_thres=0.45, # NMS IOU threshold\n max_det=1000, # maximum detections per image\n device='', # cuda device, i.e. 0 or 0,1,2,3 or cpu\n view_img=False, # show results\n save_txt=False, # save results to *.txt\n save_conf=False, # save confidences in --save-txt labels\n save_crop=False, # save cropped prediction boxes\n nosave=False, # do not save images/videos\n classes=None, # filter by class: --class 0, or --class 0 2 3\n agnostic_nms=False, # class-agnostic NMS\n augment=False, # augmented inference\n visualize=False, # visualize features\n update=False, # update all models\n project=ROOT / 'runs/detect', # save results to project/name\n name='exp', # save results to project/name\n exist_ok=False, # existing project/name ok, do not increment\n line_thickness=3, # bounding box thickness (pixels)\n hide_labels=False, # hide labels\n hide_conf=False, # hide confidences\n half=False, # use FP16 half-precision inference\n dnn=False, # use OpenCV DNN for ONNX inference\n vid_stride=1, # video frame-rate stride\n ):\n source = str(source)\n save_img = not nosave and not source.endswith('.txt') # save inference images\n is_file = Path(source).suffix[1:] in (IMG_FORMATS + VID_FORMATS)\n is_url = source.lower().startswith(('rtsp://', 'rtmp://', 'http://', 'https://'))\n webcam = source.isnumeric() or source.endswith('.txt') or (is_url and not is_file)\n screenshot = source.lower().startswith('screen')\n if is_url and is_file:\n source = check_file(source) # download\n \n # Directories\n save_dir = increment_path(Path(project) / name, exist_ok=exist_ok) # increment run\n (save_dir / 'labels' if save_txt else save_dir).mkdir(parents=True, exist_ok=True) # make dir\n \n # Load model\n device = select_device(device)\n model = DetectMultiBackend(weights, device=device, dnn=dnn, data=data, fp16=half)\n stride, names, pt = model.stride, model.names, model.pt\n imgsz = check_img_size(imgsz, s=stride) # check image size\n \n # Dataloader\n bs = 1 # batch_size\n if webcam:\n view_img = check_imshow(warn=True)\n dataset = LoadStreams(source, img_size=imgsz, stride=stride, auto=pt, vid_stride=vid_stride)\n bs = len(dataset)\n elif screenshot:\n dataset = LoadScreenshots(source, img_size=imgsz, stride=stride, auto=pt)\n else:\n dataset = LoadImages(source, img_size=imgsz, stride=stride, auto=pt, vid_stride=vid_stride)\n vid_path, vid_writer = [None] * bs, [None] * bs\n \n # Run inference\n model.warmup(imgsz=(1 if pt or model.triton else bs, 3, *imgsz)) # warmup\n seen, windows, dt = 0, [], (Profile(), Profile(), Profile())\n for path, im, im0s, vid_cap, s in dataset:\n with dt[0]:\n im = torch.from_numpy(im).to(model.device)\n im = im.half() if model.fp16 else im.float() # uint8 to fp16/32\n im /= 255 # 0 - 255 to 0.0 - 1.0\n if len(im.shape) == 3:\n im = im[None] # expand for batch dim\n \n # Inference\n with dt[1]:\n visualize = increment_path(save_dir / Path(path).stem, mkdir=True) if visualize else False\n pred = model(im, augment=augment, visualize=visualize)\n \n # NMS\n with dt[2]:\n pred = non_max_suppression(pred, conf_thres, iou_thres, classes, agnostic_nms, max_det=max_det)\n \n # Second-stage classifier (optional)\n # pred = utils.general.apply_classifier(pred, classifier_model, im, im0s)\n \n # Process predictions\n for i, det in enumerate(pred): # per image\n seen += 1\n if webcam: # batch_size >= 1\n p, im0, frame = path[i], im0s[i].copy(), dataset.count\n s += f'{i}: '\n else:\n p, im0, frame = path, im0s.copy(), getattr(dataset, 'frame', 0)\n \n p = Path(p) # to Path\n save_path = str(save_dir / p.name) # im.jpg\n txt_path = str(save_dir / 'labels' / p.stem) + ('' if dataset.mode == 'image' else f'_{frame}') # im.txt\n s += '%gx%g ' % im.shape[2:] # print string\n gn = torch.tensor(im0.shape)[[1, 0, 1, 0]] # normalization gain whwh\n imc = im0.copy() if save_crop else im0 # for save_crop\n annotator = Annotator(im0, line_width=line_thickness, example=str(names))\n if len(det):\n # Rescale boxes from img_size to im0 size\n det[:, :4] = scale_boxes(im.shape[2:], det[:, :4], im0.shape).round()\n \n # Print results\n for c in det[:, 5].unique():\n n = (det[:, 5] == c).sum() # detections per class\n s += f\"{n} {names[int(c)]}{'s' * (n > 1)}, \" # add to string\n \n # Write results\n for *xyxy, conf, cls in reversed(det):\n if save_txt: # Write to file\n xywh = (xyxy2xywh(torch.tensor(xyxy).view(1, 4)) / gn).view(-1).tolist() # normalized xywh\n line = (cls, *xywh, conf) if save_conf else (cls, *xywh) # label format\n with open(f'{txt_path}.txt', 'a') as f:\n f.write(('%g ' * len(line)).rstrip() % line + '\\n')\n \n if save_img or save_crop or view_img: # Add bbox to image\n c = int(cls) # integer class\n label = None if hide_labels else (names[c] if hide_conf else f'{names[c]} {conf:.2f}')\n annotator.box_label(xyxy, label, color=colors(c, True))\n if save_crop:\n save_one_box(xyxy, imc, file=save_dir / 'crops' / names[c] / f'{p.stem}.jpg', BGR=True)\n # 追加したコードPrint counter\n n_1 = (det[:, -1] == 1).sum() #ラベルAの総数をカウント\n a = f\"{n_1} \"#{'A'}{'s' * (n_1 > 1)}, \" \n cv2.putText(im0, \"cabbage counter \" , (20, 50), 0, 1.0, (71, 99, 255), 3)\n cv2.putText(im0, \"A : \" + str(a), (20, 100), 0, 1.5, (71, 99, 255), 3)\n n_2 = (det[:, -1] == 1).sum() #ラベルBの総数をカウント\n b = f\"{n_2} \"#{'A'}{'s' * (n_1 > 1)}, \"\n cv2.putText(im0, \"B : \" + str(b), (20, 150), 0, 1.5, (0, 215, 255), 3)\n n_3 = (det[:, -1] == 2).sum() #ラベルCの総数をカウント\n d = f\"{n_3} \"#{'A'}{'s' * (n_1 > 1)}, \"\n cv2.putText(im0, \"C : \" + str(d), (20, 200), 0, 1.5, (154, 250, 0), 3)\n \n \n \n # Stream results\n im0 = annotator.result()\n if view_img:\n if platform.system() == 'Linux' and p not in windows:\n windows.append(p)\n cv2.namedWindow(str(p), cv2.WINDOW_NORMAL | cv2.WINDOW_KEEPRATIO) # allow window resize (Linux)\n cv2.resizeWindow(str(p), im0.shape[1], im0.shape[0])\n cv2.imshow(str(p), im0)\n cv2.waitKey(1) # 1 millisecond\n \n # Save results (image with detections)\n if save_img:\n if dataset.mode == 'image':\n cv2.imwrite(save_path, im0)\n else: # 'video' or 'stream'\n if vid_path[i] != save_path: # new video\n vid_path[i] = save_path\n if isinstance(vid_writer[i], cv2.VideoWriter):\n vid_writer[i].release() # release previous video writer\n if vid_cap: # video\n fps = vid_cap.get(cv2.CAP_PROP_FPS)\n w = int(vid_cap.get(cv2.CAP_PROP_FRAME_WIDTH))\n h = int(vid_cap.get(cv2.CAP_PROP_FRAME_HEIGHT))\n else: # stream\n fps, w, h = 30, im0.shape[1], im0.shape[0]\n save_path = str(Path(save_path).with_suffix('.mp4')) # force *.mp4 suffix on results videos\n vid_writer[i] = cv2.VideoWriter(save_path, cv2.VideoWriter_fourcc(*'mp4v'), fps, (w, h))\n vid_writer[i].write(im0)\n \n # Print time (inference-only)\n LOGGER.info(f\"{s}{'' if len(det) else '(no detections), '}{dt[1].dt * 1E3:.1f}ms\")\n \n \n # Print results\n t = tuple(x.t / seen * 1E3 for x in dt) # speeds per image\n LOGGER.info(f'Speed: %.1fms pre-process, %.1fms inference, %.1fms NMS per image at shape {(1, 3, *imgsz)}' % t)\n if save_txt or save_img:\n s = f\"\\n{len(list(save_dir.glob('labels/*.txt')))} labels saved to {save_dir / 'labels'}\" if save_txt else ''\n LOGGER.info(f\"Results saved to {colorstr('bold', save_dir)}{s}\")\n if update:\n strip_optimizer(weights[0]) # update model (to fix SourceChangeWarning)\n \n \n \n def parse_opt():\n parser = argparse.ArgumentParser()\n parser.add_argument('--weights', nargs='+', type=str, default=ROOT / 'yolov5s.pt', help='model path or triton URL')\n parser.add_argument('--source', type=str, default=ROOT / 'data/images', help='file/dir/URL/glob/screen/0(webcam)')\n parser.add_argument('--data', type=str, default=ROOT / 'data/coco128.yaml', help='(optional) dataset.yaml path')\n parser.add_argument('--imgsz', '--img', '--img-size', nargs='+', type=int, default=[640], help='inference size h,w')\n parser.add_argument('--conf-thres', type=float, default=0.25, help='confidence threshold')\n parser.add_argument('--iou-thres', type=float, default=0.45, help='NMS IoU threshold')\n parser.add_argument('--max-det', type=int, default=1000, help='maximum detections per image')\n parser.add_argument('--device', default='', help='cuda device, i.e. 0 or 0,1,2,3 or cpu')\n parser.add_argument('--view-img', action='store_true', help='show results')\n parser.add_argument('--save-txt', action='store_true', help='save results to *.txt')\n parser.add_argument('--save-conf', action='store_true', help='save confidences in --save-txt labels')\n parser.add_argument('--save-crop', action='store_true', help='save cropped prediction boxes')\n parser.add_argument('--nosave', action='store_true', help='do not save images/videos')\n parser.add_argument('--classes', nargs='+', type=int, help='filter by class: --classes 0, or --classes 0 2 3')\n parser.add_argument('--agnostic-nms', action='store_true', help='class-agnostic NMS')\n parser.add_argument('--augment', action='store_true', help='augmented inference')\n parser.add_argument('--visualize', action='store_true', help='visualize features')\n parser.add_argument('--update', action='store_true', help='update all models')\n parser.add_argument('--project', default=ROOT / 'runs/detect', help='save results to project/name')\n parser.add_argument('--name', default='exp', help='save results to project/name')\n parser.add_argument('--exist-ok', action='store_true', help='existing project/name ok, do not increment')\n parser.add_argument('--line-thickness', default=3, type=int, help='bounding box thickness (pixels)')\n parser.add_argument('--hide-labels', default=False, action='store_true', help='hide labels')\n parser.add_argument('--hide-conf', default=False, action='store_true', help='hide confidences')\n parser.add_argument('--half', action='store_true', help='use FP16 half-precision inference')\n parser.add_argument('--dnn', action='store_true', help='use OpenCV DNN for ONNX inference')\n parser.add_argument('--vid-stride', type=int, default=1, help='video frame-rate stride')\n opt = parser.parse_args()\n opt.imgsz *= 2 if len(opt.imgsz) == 1 else 1 # expand\n print_args(vars(opt))\n return opt\n \n \n def main(opt):\n check_requirements(exclude=('tensorboard', 'thop'))\n run(**vars(opt))\n \n \n if __name__ == \"__main__\":\n opt = parse_opt()\n main(opt)\n \n```\n\n[![画像の説明をここに入力](https://i.stack.imgur.com/iBAHu.png)](https://i.stack.imgur.com/iBAHu.png)", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-29T06:21:28.730", "favorite_count": 0, "id": "92493", "last_activity_date": "2022-11-29T10:27:29.043", "last_edit_date": "2022-11-29T10:27:29.043", "last_editor_user_id": "3060", "owner_user_id": "55533", "post_type": "question", "score": 0, "tags": [ "python", "opencv" ], "title": "物体検出で個数がカウントされない", "view_count": 315 }
[]
92493
null
null
{ "accepted_answer_id": null, "answer_count": 0, "body": "Unityで開発を行っております。 \nBluetooth通信を組み込みたくiOSのプラグインを組み込んだのですが、 \nProductName-Swift.hが作成されずfile not foundとエラーが出ます。\n\n<https://qiita.com/asuka4624254/items/703bf72c27ef4850ebb6>\n\n上記の2018年の古い記事でのプラグインを導入したためUnitySendMessageをsendMessageToGOに変更するなど対応をいたしましたが、それ以外は特に大きな変更はしておりません。\n\nClean Bulid Folderを行っても結果は変わりませんでした。\n\nこちら解決方法を教えてください。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-29T10:27:39.990", "favorite_count": 0, "id": "92498", "last_activity_date": "2022-11-29T10:27:39.990", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "29606", "post_type": "question", "score": 0, "tags": [ "swift", "ios", "xcode", "unity3d" ], "title": "<ProductName-Swift.h>が生成されない", "view_count": 106 }
[]
92498
null
null
{ "accepted_answer_id": "92501", "answer_count": 1, "body": "次の画像のようにファイルが配置されているとします。\n\n[![画像の説明をここに入力](https://i.stack.imgur.com/zrXvf.png)](https://i.stack.imgur.com/zrXvf.png)\n\n各ファイルの中身を以下に示します。\n\n**python_test.py** \npython_tes.pyは.batファイルや、.vbsファイルを呼び出します。\n\n```\n\n from os import path\n import subprocess\n \n #パターン1 .batファイルを呼び出す\n runPath = path.join(path.dirname(__file__), 'run.bat')\n subprocess.Popen(runPath)\n \n #パターン2 .vbsファイルを呼び出す\n #vbsPath = path.join(path.dirname(__file__), 'noConsoleRun.vbs')\n #subprocess.Popen(r'wscript \"'+vbsPath+'\"')\n \n```\n\n**run.bat** \nrun.batは環境変数の設定をしてexeファイルを実行します。\n\n```\n\n SETLOCAL\n SET PATH=%PATH%;..\\..\\samples\\external\\opencv\\bin;..\\..\\bin;\n test.exe\n \n```\n\n**noConsoleRun.vbs** \nnoConsoleRun.vbsは、.batファイルで表示される黒いコンソールウインドウを消すために使用します。\n\n```\n\n Set ws = CreateObject(\"Wscript.Shell\")\n ws.run \"cmd /c run.bat\", vbhide\n \n```\n\n実際に、python_test.pyを実行すると、パターン1の.batファイル実行では次のようなエラーが出ます。\n\n```\n\n 'test.exe' is not recognized as an internal or external command,operable program or batch file.\n \n```\n\nパターン2の.vbsファイル実行ではエラーは出ないものの、何も実行されおらずコンソール以外のGUIも出てきません。\n\nそれぞれ、Pythonから実行せずに手動でrun.batやnoConsoleRun.vbsをダブルクリックすると普通に起動します。Pythonから実行した場合のみ、起動しません。\n\nどうしたらPythonから実行できそうでしょうか?", "comment_count": 4, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-29T11:53:14.933", "favorite_count": 0, "id": "92500", "last_activity_date": "2022-11-29T14:06:02.927", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "36446", "post_type": "question", "score": 0, "tags": [ "python" ], "title": "Pythonから.batファイルや.vbsファイルを実行したい", "view_count": 2445 }
[ { "body": "コメントで解決したようなので、内容を回答として記述しておきます。\n\n一応後から示したバッチファイルでの対策だけで動作しそうですが:\n\n以下のように`run.bat`の先頭あるいは何処でも`test.exe`を実行する前に`CD /D\n%~dp0`を挿入してバッチファイルの存在するディレクトリをカレントディリクトリに変更します。\n\n```\n\n CD /D %~dp0\n SETLOCAL\n SET PATH=%PATH%;..\\..\\samples\\external\\opencv\\bin;..\\..\\bin;\n test.exe\n \n```\n\nもしかしたらPython,\nVBSどちらかで処理を起動出来ない?ことがあるかもしれないので、その場合は以下の記事を参考に、Pythonスクリプトの先頭でもスクリプトのあるディレクトリをカレントディレクトリに変更しておきます。 \n[Pythonでカレントディレクトリをスクリプトのディレクトリに固定](https://qiita.com/moisutsu/items/46c7b29b1f68a83f6ec8)\n\n>\n```\n\n> import os\n> os.chdir(os.path.dirname(os.path.abspath(__file__)))\n> \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-29T14:06:02.927", "id": "92501", "last_activity_date": "2022-11-29T14:06:02.927", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "26370", "parent_id": "92500", "post_type": "answer", "score": 1 } ]
92500
92501
92501
{ "accepted_answer_id": "92503", "answer_count": 1, "body": "以下のように、run.batファイルと、test.exeファイルがあり、run.batをPython経由で実行します。\n\n**run.bat**\n\n```\n\n SETLOCAL\n SET PATH=%PATH%;..\\..\\samples\\external\\opencv\\bin;..\\..\\bin;\n test.exe\n \n```\n\n**python_test.py**\n\n```\n\n import os\n os.chdir(os.path.dirname(os.path.abspath(__file__)))\n \n from os import path\n import subprocess\n \n runPath = path.join(path.dirname(__file__), 'run.bat')\n process = subprocess.Popen(runPath)\n \n import time\n time.sleep(10)\n \n import signal\n import psutil\n try:\n os.kill(process.pid, signal.SIGTERM)\n \n except:\n import traceback\n print(traceback.format_exc())\n \n try:\n parent = psutil.Process(process.pid)\n for child in parent.children(recursive=True):\n child.kill()\n parent.kill()\n except:\n import traceback\n print(traceback.format_exc())\n \n```\n\nexeファイルを直接popenで開いた場合は、戻り値でexeファイルのprocess.pidが得られるので強制終了できるのですが、.batファイルを経由するとそれが出来ませんでした。\n\nエラー内容は次の通りです。\n\n```\n\n Traceback (most recent call last):\n File \"C:\\Users\\python_test.py\", line 23, in <module>\n parent = psutil.Process(process.pid)\n File \"C:\\Users\\Documents\\WPy64-31040\\python-3.10.4.amd64\\lib\\site-packages\\psutil\\__init__.py\", line 332, in __init__\n self._init(pid)\n File \"C:\\Users\\Documents\\WPy64-31040\\python-3.10.4.amd64\\lib\\site-packages\\psutil\\__init__.py\", line 373, in _init\n raise NoSuchProcess(pid, msg='process PID not found')\n psutil.NoSuchProcess: process PID not found (pid=10976)\n \n```\n\n強制終了用の.batファイルも試して実行してみましたが終了できませんでした。\n\n**taskkill.bat**\n\n```\n\n taskkill /F /T /IM test.exe\n \n```\n\nPythonの実行環境はWinPythonです。 \n強制終了させる方法はありますでしょうか?", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-29T14:54:06.717", "favorite_count": 0, "id": "92502", "last_activity_date": "2022-11-29T23:06:31.733", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "36446", "post_type": "question", "score": 0, "tags": [ "python" ], "title": ".batファイルから起動された.exeファイルを強制終了させたい", "view_count": 475 }
[ { "body": "こちらもコメントで解決したようなので、内容を回答として記述しておきます。\n\n提示されたソースコード上では、その前に`os.kill(process.pid,\nsignal.SIGTERM)`で既に終了させているために該当のプロセスが存在しないので例外になっているということでしょう。\n\n`psutil`による`kill()`の処理と`os.kill()`の処理順番を逆にすれば終了出来たとのこと。\n\n* * *\n\nただし少し疑問点もあります。\n\n`psutil`による`kill()`の処理で元のプロセスを`parent.kill()`でkillしているように見えるため、処理順番を変えたということはその後に同じ元のプロセスのpidに対して`os.kill()`していることになり、そちらでは例外が発生しなかったのだろうか?\nということです。 \nまあ例外が発生していないのなら問題は無いのでしょう。\n\n* * *\n\nもう一つ、参考情報としてこんな記事があります。 \n[subprocessを子プロセスまでkillして停止させる\n(python)](https://dlrecord.hatenablog.com/entry/2020/07/13/214241)\n\n> Windows \n> シンプルに`kill()`メソッドを呼べば、シェルが実行した外部コマンドも止まります。\n```\n\n> cmd = \"some shell command\" # シェル実行のコマンド\n> p = subprocess.Popen(cmd)\n> p.kill()\n> \n```\n\nということなので、質問のソースコードでは`subprocess.Popen()`の戻り値が`process`に格納されているので、もしかしたら`process.kill()`だけですべて終了出来る可能性があります。 \n試してみてください。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-29T23:06:31.733", "id": "92503", "last_activity_date": "2022-11-29T23:06:31.733", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "26370", "parent_id": "92502", "post_type": "answer", "score": 1 } ]
92502
92503
92503
{ "accepted_answer_id": "92507", "answer_count": 2, "body": "setやmultisetは素集合を管理するデータ構造ですが、これをset A;とset B;のように宣言して、A ==\nBのように比較した場合、計算量はどうなるのか疑問に思いました。 \nvector A;とvector B;においてA ==\nBの時にはイテレーター同士を比較していくと思うので、O(N)になると思うのですが、この見解についても誤っていたら教えていただきたいです。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-30T00:52:18.660", "favorite_count": 0, "id": "92505", "last_activity_date": "2022-11-30T01:07:44.423", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55503", "post_type": "question", "score": 1, "tags": [ "c++" ], "title": "C++のset/multisetを等価演算子で比較したときの計算量がどうなるのか教えていただきたいです。", "view_count": 244 }
[ { "body": "cpprefjp に書いてありますね。きっと規格でもそのように定義されているのでしょう。\n\n[set operator==\n計算量](https://cpprefjp.github.io/reference/set/set/op_equal.html)\n\n> `size()` に対して線形時間。ただし、xとyのサイズが異なる場合は定数時間。\n\n[multiset operator==\n計算量](https://cpprefjp.github.io/reference/set/multiset/op_equal.html)\n\n> `size()` に対して線形時間。ただし、xとyのサイズが異なる場合は定数時間。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-30T01:05:04.167", "id": "92506", "last_activity_date": "2022-11-30T01:05:04.167", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "3475", "parent_id": "92505", "post_type": "answer", "score": 1 }, { "body": "言語仕様ではコンテナ要件 ([Container requirements](https://timsong-\ncpp.github.io/cppwp/n3337/container.requirements#tab:containers.container.requirements))\nとして `==` の挙動が含まれており、計算量は線形 (つまりビッグオー記法でいうところの O(N) のこと) であることを要求しています。\n\nつまり言語仕様中でコンテナとして定義されている型 (もちろん `set` や `multiset` を含む) はいずれも O(N) で比較できます。", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-30T01:07:44.423", "id": "92507", "last_activity_date": "2022-11-30T01:07:44.423", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "3364", "parent_id": "92505", "post_type": "answer", "score": 2 } ]
92505
92507
92507
{ "accepted_answer_id": null, "answer_count": 1, "body": "Sony ToF ARを使ってアプリの開発を行っています。\n\nマニュアルの [4.4.2. AR\nFoundationを使用したアプリケーションのDebug](https://developer.sony.com/develop/tof-\nar/development-guides/docs/ToF_AR_User_Manual_ja.html#_debug_ar_found)\nを参照して実行したのですが、うまくできませんでした。\n\n自身のプロジェクトの問題があるのかと思い、GitHubで公開されているtof-ar-sample-\narのsimpleARFoundationでやってみたのですが、カラーカメラの映像が出ませんでした。 \nUnity側のコンソールにて特にエラーメッセージは確認できていません。\n\nUnityは、2020.3.36f1を使用しています。 \n携帯端末は、Samsung Galaxy S20+ 5G です。 \n何かわかることがありましたら、教えてください。 \nよろしくお願いいたします。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-30T02:15:39.947", "favorite_count": 0, "id": "92509", "last_activity_date": "2022-12-02T07:51:38.010", "last_edit_date": "2022-11-30T04:44:30.033", "last_editor_user_id": "3060", "owner_user_id": "55290", "post_type": "question", "score": 0, "tags": [ "unity3d" ], "title": "Sony ToF AR の AR Foundationを活用したToF ARアプリをTofARServerでデバッグできるようにしたい", "view_count": 253 }
[ { "body": "私の環境ではカラー映像が表示されて正常に動作しているようでしたので試した手順を書きます。 \n参考になれば嬉しいです。\n\n## 動作環境\n\nPC: macOS 13.0.1, Unity 2020.3.36f1 \n端末: Galaxy S20 Ultra 5G (Android 12)\n\n## ToF AR Server\n\n 1. <https://github.com/satoshi-maemoto/tof-ar-server-arfoundation> からUnityプロジェクトを取得。このリポジトリにはARFoundationConnectorの設定が行われたシーンが公開されています。\n 2. ToF AR v1.1.0 の Baseパッケージ、Handパッケージ、ARFoundationConnectorパッケージをインポート。\n 3. Project Settings > Player > Other Settings > Target API LevelがLevel 30以下になっていることを確認\n 4. Build Settingsで Assets/DebugServer/Scenes/MainARFoundation.unity シーンがビルド対象となっていることを確認し、ビルド&デプロイ。\n\n## ToF AR Samples AR\n\n 1. <https://github.com/SonySemiconductorSolutions/tof-ar-samples-ar> からUnityプロジェクトを取得。\n 2. ToF AR v1.1.0 の Baseパッケージ、Handパッケージ、ARFoundationConnectorパッケージをインポート。\n 3. Assets/TofArSamplesAr/Startup/Startup.unity シーンを開く\n 4. HierarchyのTofArManagerのInspectorでサーバーへの接続設定を行う\n 5. Playする \nmacOSでの初回Play時は共有ライブラリの実行許可確認が複数回あるので全て許可する\n\n## 実行結果\n\n[![](https://i.stack.imgur.com/hhH5v.png)](https://i.stack.imgur.com/hhH5v.png)", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T07:51:38.010", "id": "92536", "last_activity_date": "2022-12-02T07:51:38.010", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55728", "parent_id": "92509", "post_type": "answer", "score": 1 } ]
92509
null
92536
{ "accepted_answer_id": null, "answer_count": 1, "body": "c++でopenblasからlapackを使っています。 \nQR分解のためのルーチンとしてdgeqr関数があるのは調べたのですが、返り値の仕様が理解できていません。 \n目的としては、行列AをQR分解して、直行行列Qと上三角行列Rを得たいです。 \nどのように呼び出して、上記の2つの値を得ればいいのでしょうか?", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-30T05:49:18.390", "favorite_count": 0, "id": "92511", "last_activity_date": "2022-12-03T06:01:52.570", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "40768", "post_type": "question", "score": 0, "tags": [ "c++" ], "title": "lapackのdgeqr関数の返り値の仕様がわからない", "view_count": 119 }
[ { "body": "`dgeqr`を呼び出した後、`R`は(書き換えられた)`A`の中に含まれています。`Q`を得るには`dgemqr`を呼び出す必要があります。LAPACKはFortranのサブルーチンなので列優先であることに注意してください。以下はC++14での例です。\n\n```\n\n #include <array>\n #include <cassert>\n #include <iostream>\n #include <vector>\n \n using namespace std;\n \n extern \"C\" {\n void dgeqr_(const int &m, const int &n, double *a, const int &lda, double *t,\n const int &tsize, double *work, const int &lwork, int &info);\n void dgemqr_(const char &side, const char &trans, const int &m, const int &n,\n const int &k, const double *a, const int &lda, const double *t,\n const int &tsize, double *c, const int &ldc, double *work,\n const int &lwork, int &info);\n }\n \n void print_matrix(int m, int n, double *a) {\n // column-major\n for (int i = 0; i < m; i++) {\n for (int j = 0; j < n; j++) {\n cout << a[i + j * m] << \" \";\n }\n cout << endl;\n }\n }\n \n int main() {\n // example\n const int m = 3; // # of rows\n const int n = 3; // # of columns\n array<double, (m * n)> a = {\n 12, 6, -4, // 1st column\n -51, 167, 24, // 2nd column\n 4, -68, -41, // 3rd column\n };\n \n // print A\n cout << \"A =\" << endl;\n print_matrix(m, n, a.data());\n \n // workspace query\n double t_query[5];\n double work_query[1];\n int info;\n \n dgeqr_(m, n, a.data(), m, t_query, -1, work_query, -1, info);\n assert(info == 0);\n \n int tsize = (int)t_query[0];\n int lwork = (int)work_query[0];\n \n // perform QR factorization\n vector<double> t(max(5, tsize));\n vector<double> work(max(1, lwork));\n \n dgeqr_(m, n, a.data(), m, t.data(), tsize, work.data(), lwork, info);\n assert(info == 0);\n \n // extract R\n const int rm = min(m, n);\n const int rn = n;\n array<double, (rm * rn)> r = {};\n for (int i = 0; i < rm; i++) {\n for (int j = 0; j < rn; j++) {\n if (i <= j) {\n r[i + j * rm] = a[i + j * m]; // diagonal and above\n }\n }\n }\n \n // workspace query\n const int qm = m;\n const int qn = min(m, n);\n array<double, (qm * qn)> q = {};\n for (int i = 0; i < min(qm, qn); i++) {\n q[i + i * qm] = 1; // (possibly truncated) identity matrix\n }\n dgemqr_('L', 'N', qm, qn, qn, a.data(), m, t.data(), tsize, q.data(), qm,\n work_query, -1, info);\n assert(info == 0);\n \n lwork = (int)work_query[0];\n \n // reconstruct Q\n work.reserve(max(1, lwork));\n \n dgemqr_('L', 'N', qm, qn, qn, a.data(), m, t.data(), tsize, q.data(), qm,\n work.data(), lwork, info);\n assert(info == 0);\n \n // print Q\n cout << \"Q =\" << endl;\n print_matrix(qm, qn, q.data());\n \n // print R\n cout << \"R =\" << endl;\n print_matrix(rm, rn, r.data());\n }\n \n```\n\n結果:\n\n```\n\n A =\n 12 -51 4\n 6 167 -68\n -4 24 -41\n Q =\n -0.857143 0.394286 0.331429\n -0.428571 -0.902857 -0.0342857\n 0.285714 -0.171429 0.942857\n R =\n -14 -21 14\n 0 -175 70\n 0 0 -35\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T13:53:47.333", "id": "92541", "last_activity_date": "2022-12-03T06:01:52.570", "last_edit_date": "2022-12-03T06:01:52.570", "last_editor_user_id": "36010", "owner_user_id": "36010", "parent_id": "92511", "post_type": "answer", "score": 1 } ]
92511
null
92541
{ "accepted_answer_id": null, "answer_count": 0, "body": "AWS LambdaでC#でJsonを返すWebApiを作成しています。 \nNugetパッケージマネージャでNewtonsoft.Jsonのv13.0.2を参照して以下のコードをAWSの \nLambmaで動作させるとエラーメッセージが発生しました。\n\nNugetのコンソールマネージャからインストールしたのは \nAmazon.Lambda.Serialization.Json、Newtonsoft.Jsonの二つです。 \n解決するための手段などお教えいただけないでしょうか。 \nC#のランタイムは.Net6です。\n\n(追記) \n上記の質問を投稿した後に新たに分かったことですが、 \n上記の事象はデプロイ方法はVisualStudio2022と.NET Core CLIのどちらでも試しました。 \nどちらでもConfigurationをDebugにした時に発生しており、 \n試しにReleaseに設定すると上記のエラーが発生せずに正常にデプロイ、 \n動作することがわかりました。\n\nエラーメッセージ:\n\n```\n\n \"errorType\": \"FileNotFoundException\",\n \"errorMessage\": \"Could not load file or assembly 'Newtonsoft.Json, Version=13.0.0.0, Culture=neutral, PublicKeyToken=30ad4fe6b2a6aeed'. The system cannot find the file specified.\\n\",\n \"stackTrace\": [\n \"at System.Signature.GetSignature(Void* pCorSig, Int32 cCorSig, RuntimeFieldHandleInternal fieldHandle, IRuntimeMethodInfo methodHandle, RuntimeType declaringType)\",\n \"at System.Reflection.RuntimeConstructorInfo.<get_Signature>g__LazyCreateSignature|19_0()\",\n \"at System.Reflection.RuntimeConstructorInfo.GetParametersNoCopy()\",\n \"at System.RuntimeType.FilterApplyMethodBase(MethodBase methodBase, BindingFlags methodFlags, BindingFlags bindingFlags, CallingConventions callConv, Type[] argumentTypes)\",\n \"at System.RuntimeType.GetConstructorCandidates(String name, BindingFlags bindingAttr, CallingConventions callConv, Type[] types, Boolean allowPrefixLookup)\",\n \"at System.RuntimeType.GetConstructorImpl(BindingFlags bindingAttr, Binder binder, CallingConventions callConvention, Type[] types, ParameterModifier[] modifiers)\",\n \"at System.Type.GetConstructor(BindingFlags bindingAttr, Binder binder, CallingConventions callConvention, Type[] types, ParameterModifier[] modifiers)\",\n \"at System.Type.GetConstructor(Type[] types)\",\n \"at Amazon.Lambda.RuntimeSupport.Bootstrap.UserCodeLoader.ConstructCustomSerializer(Attribute serializerAttribute) in /src/Repo/Libraries/src/Amazon.Lambda.RuntimeSupport/Bootstrap/UserCodeLoader.cs:line 360\",\n \"at Amazon.Lambda.RuntimeSupport.Bootstrap.UserCodeLoader.GetSerializerObject(Assembly customerAssembly) in /src/Repo/Libraries/src/Amazon.Lambda.RuntimeSupport/Bootstrap/UserCodeLoader.cs:line 216\",\n \"at Amazon.Lambda.RuntimeSupport.Bootstrap.UserCodeLoader.Init(Action`1 customerLoggingAction) in /src/Repo/Libraries/src/Amazon.Lambda.RuntimeSupport/Bootstrap/UserCodeLoader.cs:line 124\",\n \"at Amazon.Lambda.RuntimeSupport.Bootstrap.UserCodeInitializer.InitializeAsync() in /src/Repo/Libraries/src/Amazon.Lambda.RuntimeSupport/Bootstrap/UserCodeInitializer.cs:line 46\",\n \"at Amazon.Lambda.RuntimeSupport.LambdaBootstrap.InitializeAsync() in /src/Repo/Libraries/src/Amazon.Lambda.RuntimeSupport/Bootstrap/LambdaBootstrap.cs:line 155\"\n ]\n \n```\n\nソースコード:\n\n```\n\n using Amazon.Lambda.Core;\n using Newtonsoft.Json;\n using System.Net;\n \n [assembly: LambdaSerializer(typeof(Amazon.Lambda.Serialization.Json.JsonSerializer))]\n \n namespace XXXX_SITE_TEST_Lambda1\n {\n public class Function\n {\n public LambdaResponse FunctionHandler(object input, ILambdaContext context)\n {\n var body = new Dictionary<string, string>() {\n { \"message\", \"Hello, World\" },\n };\n \n var response = new LambdaResponse()\n {\n isBase64Encoded = false,\n statusCode = HttpStatusCode.OK,\n headers = new Dictionary<string, string>()\n {\n {\"my_header\", \"my_value\" }\n },\n body = JsonConvert.SerializeObject(body),\n };\n \n return response;\n }\n \n public class LambdaResponse\n {\n [JsonProperty(PropertyName = \"isBase64Encoded\")]\n public bool isBase64Encoded;\n \n [JsonProperty(PropertyName = \"statusCode\")]\n public HttpStatusCode statusCode;\n \n [JsonProperty(PropertyName = \"headers\")]\n public Dictionary<string, string> headers;\n \n [JsonProperty(PropertyName = \"body\")]\n public string body;\n }\n }\n }\n \n```", "comment_count": 3, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-30T07:34:25.113", "favorite_count": 0, "id": "92513", "last_activity_date": "2022-12-01T05:24:28.307", "last_edit_date": "2022-12-01T05:24:28.307", "last_editor_user_id": "55690", "owner_user_id": "55690", "post_type": "question", "score": 1, "tags": [ "c#", "aws-lambda" ], "title": "Could not load file or assembly 'Newtonsoft.Json エラーが発生する", "view_count": 306 }
[]
92513
null
null
{ "accepted_answer_id": null, "answer_count": 1, "body": "非負の重み付き有効グラフに対しての最長経路問題がNP困難である事は存じ上げています。しかし、各辺の重みを-1倍したグラフに対し、ベルマンフォード法を用いて最短経路問題を解けば、必然的に最長経路問題も解けるような気がしたのですが何が問題なのでしょうか。", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-30T17:10:59.737", "favorite_count": 0, "id": "92514", "last_activity_date": "2022-12-01T07:35:20.003", "last_edit_date": "2022-12-01T04:46:35.470", "last_editor_user_id": "19110", "owner_user_id": "55702", "post_type": "question", "score": 1, "tags": [ "アルゴリズム", "計算量" ], "title": "最長経路問題とベルマンフォード法について", "view_count": 380 }
[ { "body": "NP 完全性が関係してくるような「最長経路問題」とは、重みつき有向グラフの最長の単純路(simple path、頂点が重複しない\npath)を求める問題のことを指してらっしゃるのだと思います。一方ベルマン・フォード法を使うような「最短経路問題」では最短の路を求める問題を解いています。路ではなく単純路を求めることを踏まえると、単に辺の重みを\n-1 倍するだけでは足りないと分かります。\n\nまた、もし最長の単純路を求めるという問題ではなく最長の路を求めるという問題を考えるのであれば、重みを -1\n倍することで最短経路問題に帰着できます。この場合もとのグラフに始点から到達できる正閉路があるときは無限に長さを大きくできるので解が無いということになります。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-01T07:35:20.003", "id": "92517", "last_activity_date": "2022-12-01T07:35:20.003", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "19110", "parent_id": "92514", "post_type": "answer", "score": 1 } ]
92514
null
92517
{ "accepted_answer_id": null, "answer_count": 2, "body": "8月31日に公開されたMESHブロックの通信仕様をもとに、PythonでMESHブロックで検知した温度・湿度の取得を実装しようとしています。公式ドキュメントを参考に実装して、MESHブロック(温度・湿度)から下記の通り、通知を受け取ることはできました。\n\n```\n\n b'\\x01\\x00\\x00\\x04\\xe9\\x00D\\x002'\n \n```\n\n温度に関しては、e9なので10進数に変換して233/10で23.3度と正しく取得できているようですが、湿度はDが返ってきました。\n\nMESHアプリのほうで、確認すると湿度50%前後を計測しているので、正しく測定できていると思うのですが、上記の値はどのようにすれば、正しく10進数の値に変換できますでしょうか。", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-11-30T23:49:52.160", "favorite_count": 0, "id": "92515", "last_activity_date": "2022-12-01T11:02:23.890", "last_edit_date": "2022-12-01T00:19:02.650", "last_editor_user_id": "3060", "owner_user_id": "55705", "post_type": "question", "score": 0, "tags": [ "python" ], "title": "MESHブロックの通知から湿度の値を取り出したい", "view_count": 130 }
[ { "body": "MESHブロックの知識はありませんが単に\\x44(68)がDと表示されてるだけではないでしょうか。 \n以下はPythonの対話モードでの実行結果です\n\n```\n\n >>> b'\\x44'\n b'D'\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-01T09:56:35.183", "id": "92522", "last_activity_date": "2022-12-01T09:56:35.183", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "8324", "parent_id": "92515", "post_type": "answer", "score": 2 }, { "body": "MESHについては分からないので間違ってるかもだけど \nコメントからのドキュメントで [温度・湿度ブロック\n(MESH-100TH)](https://developer.meshprj.com/hc/ja/articles/8286425847961)\nの「状態通知」と判断します\n\n```\n\n from struct import unpack, calcsize\n data = b'\\x01\\x00\\x00\\x04\\xe9\\x00D\\x002'\n print(f\"書式 {calcsize('<4BhhB')}, データ {len(data)}\")\n unpack('<4BhhB', data)\n # 書式 9, データ 9\n # (1, 0, 0, 4, 233, 68, 50)\n \n```\n\n参考: [struct ---\nバイト列をパックされたバイナリデータとして解釈する](https://docs.python.org/ja/3/library/struct.html)", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-01T11:02:23.890", "id": "92526", "last_activity_date": "2022-12-01T11:02:23.890", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "43025", "parent_id": "92515", "post_type": "answer", "score": 0 } ]
92515
null
92522
{ "accepted_answer_id": "92532", "answer_count": 1, "body": "提示コードですが以下のソースコードの`let json`の`json`文字列を`arr.name`\nのような形で参照したいのですがなぜ`undefined`と表示されるのでしょうか?参考サイト等を調べましたがやり方は以下ように行うそうです。\n\n##### 提示コードのついて\n\n以下のソースコードは`C# WebView`を用いて`javascript`に`json`データを送り`html`を使って描画するという処理内容です。\n\n`GetSendJsonData_Post(JsonData.Post\npost)`はそのC#のクラスを`json`データにする処理で`json`コードはその処理した`json`データです。\n\njsのソースコードはそのjsonの挙動を確認するためのテストコードです。\n\n##### 知りたい事\n\n`C#`で処理した`json`コードを`javascript`側でも使えるようにするために。クラスデータを`json`形式にする方法が知りたいです。\n\n##### 調べたこと\n\n`JsonSerializer.Serialize`でクラスを`json`化 \n参考サイトを参考にjsonの形に変換してjsonの値を取得\n\n##### 参考サイト\n\njson変換: <https://cpoint-lab.co.jp/article/201801/1228/> \nJSON.stringify():\n<https://developer.mozilla.org/ja/docs/Web/JavaScript/Reference/Global_Objects/JSON/stringify> \nJsonとはなにか?https://developer.mozilla.org/ja/docs/Learn/JavaScript/Objects/JSON\n\n##### デバッグコンソール\n\n```\n\n undefined\n Main.js:8 \"{ name:sampleName [email protected], icon_url:https://media.mstdn.jp, accountPage:https://google.com, content:sampletext }\"\n Main.js:9 { name:sampleName [email protected], icon_url:https://media.mstdn.jp, accountPage:https://google.com, content:sampletext }\n \n```\n\n##### json\n\n```\n\n {\"name\":\"XXXXXXXX\",\"icon_url\":\"url\",\"accountPage\":\"url\",\"content\":\"AAAAA\"}\n \n```\n\n##### C# ソースコード\n\n```\n\n /*##################################################################################################################\n * 投稿データのjsonを取得\n ###################################################################################################################*/\n static bool b = false;\n \n private string GetSendJsonData_Post(JsonData.Post post)\n {\n string name = post.account.display_name + \" \" + post.account.username + \"@\" + account.client.instance;\n //Console.WriteLine(name);\n //string icon_url = post.account.avatar;\n string icon_url = \"url\";\n string accountPage = \"url\";\n //string accountPage = post.account.url;\n string content = post.content;\n \n var json = new JsonData.SendData.Post(name,icon_url,accountPage,content);\n \n \n \n string jsonString = JsonSerializer.Serialize(json);\n if( b == false)\n {\n Console.WriteLine(jsonString);\n //Console.WriteLine(json);\n \n b = true;\n }\n return jsonString;\n }\n \n \n```\n\n##### ソースコード\n\n```\n\n let json = \"{ name:sampleName [email protected], icon_url:https://media.mstdn.jp, accountPage:https://google.com, content:sampletext }\";\n \n \n let arr = JSON.stringify(json);\n var ar = JSON.parse(arr);\n \n console.log(ar[0].name);\n console.log(arr);\n console.log(ar);\n \n \n \n```", "comment_count": 3, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-01T08:54:56.933", "favorite_count": 0, "id": "92519", "last_activity_date": "2022-12-02T02:15:33.920", "last_edit_date": "2022-12-01T11:05:07.123", "last_editor_user_id": "55177", "owner_user_id": "55177", "post_type": "question", "score": -2, "tags": [ "javascript" ], "title": "C#で生成したjsonデータをjavascriptでも使えるようにする方法が知りたい。", "view_count": 401 }
[ { "body": "質問文より\n\n> json\n```\n\n>\n> {\"name\":\"XXXXXXXX\",\"icon_url\":\"url\",\"accountPage\":\"url\",\"content\":\"AAAAA\"}\n> \n```\n\n> ソースコード\n```\n\n> let json = \"{ name:sampleName [email protected],\n> icon_url:https://media.mstdn.jp, accountPage:https://google.com,\n> content:sampletext }\";\n> \n```\n\nC#で生成したJSONと全く別の文字列になっています。`\"`が消えたり空白が追加されたりしています。\n\n> C#で生成したjsonデータをjavascriptでも使えるようにする方法が知りたい。\n\nまずは文字列を正確にコピーする必要があります。", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T02:15:33.920", "id": "92532", "last_activity_date": "2022-12-02T02:15:33.920", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "4236", "parent_id": "92519", "post_type": "answer", "score": 2 } ]
92519
92532
92532
{ "accepted_answer_id": null, "answer_count": 1, "body": "「Google Actions」を新規作成しました、「Account linking」が下図のように設定しました。\n\n[![画像の説明をここに入力](https://i.stack.imgur.com/dTqTP.png)](https://i.stack.imgur.com/dTqTP.png)\n\nブラウザで動作確認する場合、問題がありませんが、\n\n[![画像の説明をここに入力](https://i.stack.imgur.com/KTH3y.png)](https://i.stack.imgur.com/KTH3y.png)\n\nアプリ「Google Home」で「デバイスの追加」を行う場合、「code」が正しく返しましたが、下図のようなエラーが発生されました。\n\n[![画像の説明をここに入力](https://i.stack.imgur.com/8xmCZ.png)](https://i.stack.imgur.com/8xmCZ.png)\n\n戻りコードURI\n\n```\n\n https://oauth-redirect.googleusercontent.com/r/smarthome-63b16?code=RngBAiEMlJjVuaYpwCevLWT1Om_FAJ9GvPMz39aOtapHCbD9iJ4sUSgKKtr-oUB6wYLJLtVWuEuHhmIx4I0iB9E8MLhy7TzQ6R9oXMr5sMZzr3J5U4szSKIh74q1cBVk&state=AGsGMl27ZkmHPAYA8hRyGIEXLwYpsAbf21ZDa8YAz0fhjzwdC-aMB5eplvO1W8uNNX85b94z46VSJEpYFOWW2S-kEXpFUODnKxe7rUQGQGOqVwVoJZnkTtsgFpQHN6aXWm63i1FF3orAZ7ow3FGWpzj3ZxABrwfxXeb8wSTA94b3tcHGa_pv-PUvNDP20JcK5mmc9q6NpTK5Z17qfsieClsI_jbbhFdpZ8fp9IeJ2j5Flp1Mfy9ScIKRgZkhZwBxZy_SNdmsNejMzWPsPC7PQn_-zarzOWt68dQ9dy4q2HPSDl-S6V-2d1UV6dnWZKULycNSNPPlxg9LNyS9u4EqS-cyAWFEtzn9gWLxXnJUMJC8OldQRhjWOrRaNfM7n3ie2W9yhxdPbO6AcAxaJVXoj7ddIFhdx03QMlyIytdlvpQCxuB_WEbhIv5ZhDsD_5vvHxZ6ptVcXEIX7bbN5u_KOpa8RzwGPsqN1zQtpXUq4P6sF6Loy0Db3_nlSgWTJWn_5-0ukb--0X1QoaZjQtA6nX4C6G0ESB2XQHQrOGU4DDgxGyhZ6Er3pPbyyLtUeYI-GhKtOFXXxFz47-0TzTdTgHcZyXE39JaLNQ80WKUFcinrk1IJ7dqYqwcyhrwEKT6XXtUxj82NUJs0oNuXtziFyg9onINL-tzkLzLqw5UapknMSLtPI_ETXlM\n \n```\n\nAuthサーバにトークン交換リクエストがありません。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-01T09:48:11.723", "favorite_count": 0, "id": "92521", "last_activity_date": "2023-03-14T00:12:07.660", "last_edit_date": "2022-12-02T00:54:20.297", "last_editor_user_id": "55719", "owner_user_id": "55719", "post_type": "question", "score": 0, "tags": [ "oauth" ], "title": "cloud-to-cloud > actions console > account linking でエラーが発生する", "view_count": 52 }
[ { "body": "It seems to me that the authorize server is not successfully redirecting to\n\"https://oauth-redirect.googleusercontent.com/r/smarthome-63b16?code=~\" with\nstatus code 301.\n\nThis is because a token exchange request would be sent to the Auth server if\nthe redirect had been successful.\n\nPlease check the response from the authorize server.", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2023-03-09T10:52:36.313", "id": "94118", "last_activity_date": "2023-03-14T00:12:07.660", "last_edit_date": "2023-03-14T00:12:07.660", "last_editor_user_id": "57458", "owner_user_id": "57458", "parent_id": "92521", "post_type": "answer", "score": 0 } ]
92521
null
94118
{ "accepted_answer_id": null, "answer_count": 0, "body": "粒子の運動から電場などをを計算するPIC(パーティクルインセル)法を用い粒子の計算を行おうと思いますが、粒子をランダムに設置し外挿(メッシュと粒子の位置関係から面積を使って四点に分ける)内挿(外挿の逆)を行う方法が分かりません。初期条件等は適当でわかりやすいもので構いませんのでサンプルコードや参考になりそうな論文ダウンロードなどがありましたら教えていただければ幸いです。ちなみに真ん中に粒子(電荷)があるときの電位計算や電場計算を行うコードは作成することができました。ある領域に粒子を一つランダムに設置するなどでも構いませんので情報をください。 \nPIC法の計算方法はある程度理解していますので、実際にPythonでコードを書くとどうなるのか知りたいです", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-01T10:29:57.707", "favorite_count": 0, "id": "92523", "last_activity_date": "2022-12-07T08:56:12.257", "last_edit_date": "2022-12-07T08:56:12.257", "last_editor_user_id": "54717", "owner_user_id": "54717", "post_type": "question", "score": 0, "tags": [ "python", "spyder" ], "title": "PIC法の一部 粒子をランダムに設置し内挿・外挿を行う", "view_count": 78 }
[]
92523
null
null
{ "accepted_answer_id": "92605", "answer_count": 1, "body": "現在、AWSアクセス用のC#アプリの制作をしていますが、Roleの切り替えで行き詰っています。 \nAWSの公式情報や言語違いも含めて色々なサイトを調べたのですが、MFAと併用しているものが見受けられず、失敗する原因を把握できていません。 \n根本の理解が不足しており恐縮ですが、実施方法についてご存じの方がいらっしゃいましたらご教示お願いします。\n\n### 現状\n\n#### 出来ている事\n\n * AWSアカウントを複数所持しており、内一つがRoleを利用している。\n * AWSのアクセスには全てのアカウントでMFAを利用している。\n * 使用したいRoleにはExternalIdは設定されていない。\n * Roleを利用しないアカウントでの認証は成功しており、S3のアクセスが確認できている。\n * CLIを利用したサービスでは、Roleを指定して実行が出来ている。\n\n#### 出来ていない事,できない原因として想定している内容\n\n * 調べた結果、AssumeRoleRequestの関数を利用すると考えているが、どのタイミングで使用すれば正しいか分からない。\n * 記載場所が違う(MFA認証前など)\n * メッセージの内容を見る限り、MFA認証したユーザーをルートユーザーとしてRoleを切り替え出来ていないのではないか\n * CLIで利用しているように --profile test のような形で、S3の関数を実行中に毎回指定してやる必要があるかもしれない\n\n* * *\n\n以下がコード等の情報になります。一部コードを省略(:)して、機密情報は書き換えています。\n\nAWSの情報\n\nAWS Account\n\n```\n\n RootUserID = 9876-5432-1098\n RootUserName = [email protected]\n \n RoleUserID = 0123-4567-8901\n RoleUserName = Test_Role_User\n \n```\n\n信頼されたエンティティ\n\n```\n\n {\n \"version\":2012-10-17\n \"Statement\" : [\n {\n \"Effect\" : \"Allow\"\n \"Principal\" : {\n \"AWS\": \"arn:aws:iam::987654321098:root\"\n },\n \"Action\":\"sts:AssumeRole\",\n \"Condition\":{}\n }\n ]\n }\n \n```\n\nローカルファイル ※CLIで利用できている。\n\n```\n\n <.aws\\credentials>\n [default]\n aws_access_key_id=ABCDEGHOJKLM\n aws_secret_access_key=11AA22bb33CC44dd\n region=ap-northeast-1\n \n <.aws\\config>\n [default]\n region = ap-northeast-1\n output = json\n \n [profile test]\n role_arn = arn:aws:iam::012345678901:role/Test_Role_User\n source_profile=default\n region = ap-northeast-1\n \n```\n\nコード C#\n\n```\n\n //AWSSDK.Core version3.3.0.0 Runtimeversionv4.0.30319\n //AWSSDK.S3 version3.3.0.0 Runtimeversionv4.0.30319\n //AWSSDK.SequrityToken version3.3.0.0 Runtimeversionv4.0.30319\n //.netframework4.6.2\n :\n using Amazon;\n using Amazon.Runtime.CredentialManagement;\n using Amazon.Runtime;\n using Amazon.S3;\n using Amazon.S3.Model;\n using Amazon.S3.Transfar;\n using Amazon.S3.IO\n \n namespace AWSTool\n {\n public class AWSAccess{\n \n public static async Task AWSAuth()\n {\n var credOption = new CredentialProfileOption();\n var credentailsFile = new SharedCredentialsFile();\n credOption.AccessKey = \"ABCDEGHOJKLM\";\n credOptionSecretKey = \"11AA22bb33CC44dd\";\n var profile = new CredentialProfile(\"default\",credOption);\n progile.Region = RegionEndpoint.GetBySystemName(\"ap-northeast-1\");\n credentialsFile.RegisterProfile(profile);\n if(credentialsFile.TryGetProfile(\"default\",out profile) == false)\n Console.WriteLine(\"プロファイル名が見つかりません\")\n \n AWSCredentials awsCredentials = null;\n if(AWSCredentialsFactory.TryGetAWSCredentials(profile,credentialsFile,out awsCredentials) == \n false)\n Console.WriteLine(\"認証情報生成に失敗しました\")\n \n    string Token = \"XXXXXX\" //別のライブラリで生成されるTokenコード\n var stsClient = new AmazonSecurityTokenServiceClient();\n var getSessionRequest = new GetSessionTokenRequest();\n getSessionRequest.DurationSecounds = 3600;\n getSessionRequest.SerialNumber = \"arn:aws:iam::987654321098:mfa/[email protected]\"\n getSessionRequest.TokenCode = \"XXXXXX\"\n GetSessionTokenResponse getSessionTolenResponse = stsClient.GetSessionToken(getSessionTokenRequest);\n \n string tempAccessKeyId = getSessionTokenResponse.Credentails.AccessKeyId;\n string tempSessionAccessKey = GetSessionTokenResponse.Credentails.SecretAccessKey;\n string tempSessionToken = getSessionTokenResponse.Credentails.SessionToken;\n SessionAWSCredentials tempCredentials = new SessionAWSCredentials(tempAccessKeyId,tempSessionAccessKey,tempSessionToken)\n \n //AsumeRoleをMFA認証後に実施 ここから\n AssumeRoleRequest assumeRoleRequest = new AssumeRoleRequest()\n {\n DurationSecounds = 1600,\n RoleArn = \"arn:aws:iam::012345678901:role/Test_Role_User\",\n RoleSessionName = \"TestSession\"\n }\n var RoleResponse = await stsClient.AssumeRoleAsync(AssumeRoleRequest);\n //↑ここで失敗して以下メッセージ\n     //User:arn:aws:iam::987654321098:user/[email protected] is not authorized to perform: sts:AssumeRole on resource arn:aws:iam::012345678901::role/Test_Role_User\n \n //ここまで\n \n var AWSS3client = new AmazonS3Client(tempCredentials);\n AWSS3GetBucketList(AWSS3client); //別の関数でS3のバケット一覧を取得\n \n }\n :\n }\n }\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-01T10:31:34.080", "favorite_count": 0, "id": "92524", "last_activity_date": "2022-12-06T15:42:42.817", "last_edit_date": "2022-12-01T12:27:15.693", "last_editor_user_id": "3060", "owner_user_id": "55718", "post_type": "question", "score": 0, "tags": [ "c#", "aws-sdk" ], "title": "C# で AWS SDK を利用して Role を切り替える方法", "view_count": 229 }
[ { "body": "まず、以下の違いを整理するのがいいのでは無いかと思います。 \n・AWS アカウントのrootアカウント \n・各 AWS アカウント内の IAM ユーザ \n・各 AWS アカウントの IAM ロール\n\nその上で、「誰が」「どのロールに」スイッチロール (Assume Role) しようとしているかですね。\n\nAWS アカウント「9876-5432-1098」の root アカウントで、 \nAWS アカウント「012345678901」の IAM\nロール「Test_Role_User」にスイッチロールしようと意図されていると理解しましたが、正しいでしょうか?\n\nそれを前提として。\n\n> User:arn:aws:iam::987654321098:user/[email protected] is not authorized to\n> perform: sts:AssumeRole on resource\n> arn:aws:iam::012345678901::role/Test_Role_User\n\nというエラーメッセージからすると呼び出し元として認証は成功しているが、AssumeRoleする権限が無いと読めます。\n\n呼び出し元が「user」となっているため、まず操作しようとしているのは root アカウントではなく、「[email protected]」という IAM\nユーザで操作しているようです。「[email protected]」という IAM\nユーザを作成されているのでは無いでしょうか?また、指定されているアクセスキー、シークレットアクセスキーはその IAM ユーザのものでは無いでしょうか?\n\nroot アカウントは全権限を持っていますが、IAM\nユーザは明示的に設定した権限しか持っていません。そのため、権限が無いというエラーになっていると思われます。\n\nroot アカウントにアクセスキー、シークレットアクセスキーを割り当てることは推奨されていないため、root アカウントで API\n呼び出しするのではなく、IAM ユーザで操作する前提に変えるのがいいと思います。そうするのであれば、IAM ユーザに IAM ポリシーで Assume\nRole する権限を付与すれば問題は解決できると思われます。以下のドキュメントにポリシーは説明されています。 \n<https://docs.aws.amazon.com/ja_jp/IAM/latest/UserGuide/id_roles_use_permissions-\nto-switch.html>\n\nあと、MFA についても設定状況などを整理した方がいいと思います。root アカウントに MFA を設定しているのか、IAM ユーザに MFA\nを設定しているのか、その両方なのか。root アカウントや IAM ユーザに MFA が割り当てられていても、通常 MFA\nのワンタイムコードの指定が必要なのは、AWS コンソールにログインする場合だけで、アクセスキー、シークレットアクセスキーで操作する際は MFA\nは求められません。例外は以下のドキュメントにあるように、IAM ユーザに対して、IAM ポリシーで権限を付与する際に condition で MFA\nの利用が必須と指定した場合とかです。 \n<https://docs.aws.amazon.com/ja_jp/IAM/latest/UserGuide/id_credentials_mfa_configure-\napi-require.html#MFAProtectedAPI-user-mfa>\n\n恐らくそのような IAM ポリシーには設定されていないと思うので、アクセスキー、シークレットアクセスキーでの API 呼び出しに MFA\nは不要です。(もしかしたら、そのような IAM ポリシーを設定されていて適切に MFA\nのワンタイムコードを渡せておらず、権限不足のエラーになっているという可能性もありますが、きっとそうでは無いかと。)\n\nMFA のワンタイムコードは定期的に変わりますので、C#\nコードの中に入れるのは現実的ではありませんし、引数などにして変えられるようにしたとしても、自動処理をするためにコードにしているのにもかかわらず、MFA\nを使うというのも適していません。実行環境をセキュアにする、EC2 ロールなどを利用するなどの他の方法で全体としてセキュアにするのがいいと思います。\n\nあと、コードの中にアクセスキー、シークレットキーを記載することは避けられた方がいいです。ソースコードレポジトリなど何かの際にキーを流出させてしまう事が少なくありません。そもそもは設定ファイルのプロファイル読み込みが適切に行えていれば、キーをコードで指定する必要もないはずです。", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-06T15:42:42.817", "id": "92605", "last_activity_date": "2022-12-06T15:42:42.817", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "5959", "parent_id": "92524", "post_type": "answer", "score": 1 } ]
92524
92605
92605
{ "accepted_answer_id": "92530", "answer_count": 1, "body": "現在、[ALDS1_6_B](https://onlinejudge.u-aizu.ac.jp/courses/lesson/1/ALDS1/6/ALDS1_6_B)\nを行っています。\n\n解答コードは、以下のようになります。\n\nその中で、パーティションの中で使われている`int i = p-1`の意味がわかりません。 \nなぜ、`i`は、p-1を行っているのでしょうか? どういう理由で、`p-1`を定義しているのでしょうか?\n\nまた `x`を閾値として、for文の中で比較して、`x`未満と`x`以上を分けていると思うのですが、 \nなぜ`i`を使うことで、大小のグループ分けができるでしょうか? \n是非ご教授よろしくお願いいたします。\n\n**解答コード:**\n\n```\n\n #include <stdio.h>\n #include <algorithm>\n \n using namespace std;\n \n int partition(int A[],int p,int r){\n int x = A[r];\n int i = p-1;\n for(int j = p; j < r; j++){\n if(A[j] <= x){\n i++;\n swap(A[i],A[j]);\n }\n }\n swap(A[i+1],A[r]);\n return i+1;\n }\n \n int main(){\n int n,partition_point;\n scanf(\"%d\",&n);\n int A[n];\n for(int i = 0; i < n; i++) scanf(\"%d\",&A[i]);\n \n partition_point = partition(A,0,n-1);\n \n for(int i = 0; i < n-1; i++){\n if(i == partition_point){\n printf(\"[%d] \",A[i]);\n }else{\n printf(\"%d \",A[i]);\n }\n }\n if(partition_point == n-1){\n printf(\"[%d]\\n\",A[n-1]);\n }else{\n printf(\"%d\\n\",A[n-1]);\n }\n }\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-01T10:41:01.297", "favorite_count": 0, "id": "92525", "last_activity_date": "2022-12-02T01:20:13.863", "last_edit_date": "2022-12-02T00:06:05.543", "last_editor_user_id": "3060", "owner_user_id": "47147", "post_type": "question", "score": 0, "tags": [ "アルゴリズム", "データ構造" ], "title": "クイックソートのパーティションの定義について", "view_count": 188 }
[ { "body": "どこから解説したらよいものやら・・・ quicksort のアルゴリズムは分かっていますか?\n\nソートしたい配列内にある1つの要素をテキトーに選んでそれより大きいか小さいかを判別するわけですが、その要素をピボットと呼びます。ピボットより小さい要素を左側に、ピボットより大きい要素を右側に集めたら、ピボット要素はその中央に置けばよいわけです。これを分割区間を変えて再帰的に繰り返すと全要素をソートできます。\n\n以上を踏まえて\n\n * 例示の `partition()` は 配列 `A` の要素 `A[p]` ~ `A[r]` を quicksort 的入れ替えを行う処理です\n * この例では `int x = A[r];` がピボット、つまり最終要素をピボットとしています\n * `for` 内部の `swap(A[i],A[j]);` はピボットより小さい要素を左側に集める処理\n * 実際には「集める」のではなく「交換」することでピボットより大きい要素を右側に集める処理も兼ねている\n * `for` 外の `swap(A[i+1],A[r]);` は「ピボットを中央に置く」処理\n\nです。\n\n`i` はピボットより小さい要素の次回挿入(=交換)位置ですな。 `i` を基準に値を分けているわけではないっス。実際に挿入する直前に `+1`\nしているので初期値としては `p-1` と書く必要が生じて、ソースコードの記述が直観的でないかもしれません。", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T01:20:13.863", "id": "92530", "last_activity_date": "2022-12-02T01:20:13.863", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "8589", "parent_id": "92525", "post_type": "answer", "score": 2 } ]
92525
92530
92530
{ "accepted_answer_id": null, "answer_count": 0, "body": "**困っていること** \n公式やブログを参考に環境構築をしようとしているのですがうまいこといきません。\n\n**やったこと** \n1,curl -fsSL <https://deno.land/x/install/install.sh> | sh\n\n2, 出てくる案内通りに以下のexportの2行をbashrcに追加\n\n```\n\n Manually add the directory to your $HOME/.bashrc (or similar)\n export DENO_INSTALL=\"/home/xxx/.deno\"\n export PATH=\"$DENO_INSTALL/bin:$PATH\"\n \n```\n\n3,bashrcを確認。以下のものを確認済み。\n\n```\n\n ~~\n export DENO_INSTALL=\"/home/xxx/.deno\"\n export PATH=\"$DENO_INSTALL/bin:$PATH\"\n ~~~\n \n```\n\n4,deno --versionを確認\n\n**現状** \nここまでやって、コマンドプロンプトを閉じてまたdeno --versionをやると、以下みたいな感じになります。\n\n```\n\n deno --version\n \n Command 'deno' not found, did you mean:\n \n command 'reno' from deb python3-reno (2.11.2-2build1)\n command 'xeno' from deb xenomai-system-tools (2.6.4+dfsg-1)\n \n Try: sudo apt install <deb name>\n \n```\n\n**参考にしたもの** \n[DENO公式](https://deno.land/[email protected]/getting_started/installation)\n\n[deno qiita記事](https://qiita.com/azukiazusa/items/8238c0c68ed525377883)", "comment_count": 4, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-01T12:36:20.217", "favorite_count": 0, "id": "92527", "last_activity_date": "2022-12-01T12:36:20.217", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "40091", "post_type": "question", "score": 0, "tags": [ "linux", "wsl", "deno" ], "title": "wsl2にてdenoの環境構築がうまくいできません。", "view_count": 119 }
[]
92527
null
null
{ "accepted_answer_id": null, "answer_count": 0, "body": "# 前提\n\ndarknetでYolov7を用いて物体検出AIの作成を行っています。 \n使用している環境は以下のとおりです。 \nUbuntu 22.0.4 LTS \nCUDA 11.07 \ncuDNN 8.5.0 \nGPU RTX 3600 Ti \nPython 3.10.6\n\nAIの作成、検出はうまくいったのですが、検出結果にあるBBOXの座標を取得したく考えています。\n\nお役に立つかわかりませんが、参考までにディープラーニング実行の際には以下のよなコードを端末に打ち込み実行しています。\n\n./darknet detector train cfg/practice.data cfg/practice.cfg yolov7.conv.132\n\n# 実現したいこと\n\n上記の通り、BBOXの値をcsv形式で保存し、その後はOpenCVにより検出された物体の情報を取得したく考えています。\n\n# 発生している問題\n\nこれを検討するに当たり、以下の2つのページが参考になるかと思いましたが、自分では実装することが叶いませんでした。 \n<https://teratail.com/questions/349035> \n<https://www.pref.fukushima.lg.jp/uploaded/life/576901_1580201_misc.pdf>\n\n試したこと \n1つめのサイトを見て試みたこと \n・コードをとりあえず端末とPython3で打ち込んでみる→(案の定)失敗。\n\n2つめのサイト(論文)を見て試みたこと \n・\"image.c\"で\"draw_detections\"を検索し\"print\"を検索したものの対象が複数個ありどこに以下のコードを挿入すればいいのかわからない。\n\nprintf(\" -> (x, y, w, h)\\n\"); \nprintf(\" = (%d, %d, %d, %d)\\n\", \n(int)(dets[i].bbox.x _im.w), \n(int)(dets[i].bbox.y_im.h), \n(int)(dets[i].bbox.w _im.w), \n(int)(dets[i].bbox.h_im.h));\n\n# 補足情報(FW/ツールのバージョンなど)\n\n以上の通りとなります。見ての通り知識が不足しており質問においても不十分な点があるかと思います、もし必要な情報がございましたらなんなりとお申し付けください。\n\nお手数ですが、お力添え下さいますと幸いです。何卒よろしくお願いします。", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-01T14:34:23.207", "favorite_count": 0, "id": "92529", "last_activity_date": "2022-12-01T14:34:23.207", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55721", "post_type": "question", "score": 0, "tags": [ "python", "機械学習" ], "title": "darknet,Yolov7によるBBOXのデータをcsvで出力したい", "view_count": 250 }
[]
92529
null
null
{ "accepted_answer_id": null, "answer_count": 0, "body": "Microsoft365環境のログをsluckにOffice 365 管理アクティビティ APIを利用しログを連携したいと思います。 \n監査ログから以下アクティビティのログを連携できるか確認させてください。 \n・秘密度ラベルのアクティビティ \n・Azure Information Protectionのアクティビティ(ファイルのアクセス) \n・Exchangeメールボックスのアクティビティ", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T03:52:52.477", "favorite_count": 0, "id": "92533", "last_activity_date": "2022-12-02T03:52:52.477", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55727", "post_type": "question", "score": 0, "tags": [ "ms-office" ], "title": "Office 365 管理アクティビティ APIでは以下アクティビティのログを連携することはできるか。", "view_count": 31 }
[]
92533
null
null
{ "accepted_answer_id": null, "answer_count": 1, "body": "以下に示すプログラムでメールアドレスと一致するセルの右隣のセルのデータを取得し、以下のtextに代入したいです。\n\n```\n\n var payload = {\n \"text\" : text\n }\n \n```\n\nこれまで試したこと:\n\n * admindirectory(管理者権限なし)\n * ネット上でサンプルコードを貼って試す\n\nなにせ初学者で、JavaScriptもしていないので全然わかりません。(自分の専門はPythonです) \n拙い文章で分かりづらいところがあると思いますがよろしくおねがいします。\n\n**現状のプログラム:**\n\n```\n\n /// ドキュメントにアクセスした人のログをとってchatに送信する\n function readsent() {\n /// ドキュメントにアクセスした人のログを取得する\n var url = 'https://chat.googleapis.com/*****************************************************';\n var text = Session.getActiveUser().getEmail();\n var payload = {\n \"text\" : text\n }\n var json = JSON.stringify(payload);\n var options = {\n \"method\" : \"POST\",\n \"contentType\" : 'application/json; charset=utf-8',\n \"payload\" : json\n }\n \n /// Spreadsheetから名簿とメールアドレスを紐づける\n var response = UrlFetchApp.fetch(url, options);\n Logger.log(response);\n var sheetId = \"************************************\";\n var sheet = SpreadsheetApp.openById(sheetId);\n var range = sheet.getDataRange();\n var values = range.getValues();\n \n var map = {}\n for (var i = 1; i < values.length; i++) {\n map[values[i][1]] = values[i][0];\n Logger.log(map)\n }\n return map;\n } \n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T04:07:35.287", "favorite_count": 0, "id": "92534", "last_activity_date": "2022-12-04T02:33:10.537", "last_edit_date": "2022-12-02T05:36:56.790", "last_editor_user_id": "3060", "owner_user_id": null, "post_type": "question", "score": 0, "tags": [ "google-apps-script", "google-spreadsheet" ], "title": "GASでアクセスした人のメールアドレスを取得して、それに一致するセルをSpreadsheetから取得し、メールアドレスを名前に置き換えてchatに送信したい", "view_count": 527 }
[ { "body": "以下のコードでtextに関連情報が代入されます。(ただし複数の名前が登録されていた場合一番目のものになります。)\n\n```\n\n function info_search() {\n var search = SpreadsheetApp.getActiveSpreadsheet().getActiveSheet().createTextFinder(Session.getActiveUser().getEmail()).findAll();//リスト形式です\n var text = SpreadsheetApp.getActiveSpreadsheet().getActiveSheet().getRange('B' + search[0].getA1Notation().substring(1)).getValue();\n }\n \n```\n\nもし仮に情報がいくつかある場合は以下をおすすめします。(リスト形式で代入されます)\n\n```\n\n function info_search() {\n let test =[]\n var result = SpreadsheetApp.getActiveSpreadsheet().getActiveSheet().createTextFinder(Session.getActiveUser().getEmail()).findAll();\n for(var i of result){\n test.push(SpreadsheetApp.getActiveSpreadsheet().getActiveSheet().getRange('B' + i.getA1Notation().substring(1)).getValue());\n }\n }\n \n```\n\n以下解説です(といってもざっとですが)\n\n```\n\n .getActiveSpreadsheet()//現在有効なスプレッドシートを取得\n .getActiveSheet()//現在有効なシートを取得\n .createTextFinder(Session.getActiveUser().getEmail()/*メールアドレス取得*/)//検索したい内容を指定(フィルタみたいな感じです)\n .findAll()//検索\n \n .getRange('B' + i.getA1Notation().substring(1)/*A列にメールアドレス、B列に情報が入ってると仮定して\"i.getA1Notation()\"でセルを取得、\".substring(1)\"で「A??」の形を「??」に変形させ\"B+...\"で「B??」の形にします。実際のシートに合わせて適宜変更してください。*/)/*セルを指定*/\n .getValue()//セルの中身を取得\n \n```\n\n参考URL \n[Google Apps\nScriptで行うスプレッドシートの検索方法](https://www.acrovision.jp/service/gas/?p=606)", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-03T01:22:44.307", "id": "92548", "last_activity_date": "2022-12-04T02:33:10.537", "last_edit_date": "2022-12-04T02:33:10.537", "last_editor_user_id": "54864", "owner_user_id": "54864", "parent_id": "92534", "post_type": "answer", "score": 1 } ]
92534
null
92548
{ "accepted_answer_id": null, "answer_count": 1, "body": "# 実行していること\n\nGo言語で日本の現在時刻を読み込むためにtimeパッケージを用いてコードを記述していたのですが、下記エラーメッセージが出るようになってしまいました。\n\ntimeに関する記述をコメントアウトしてもエラー文が消えません。 \nローカルのデーターベースに投稿内容をimportする際に投稿時刻も入れる目的で現在時刻を取得していました。\n\n# エラー内容\n\n```\n\n $ go build\n \n # time\n /usr/local/Cellar/go/1.19.3/libexec/src/time/sleep.go:51:11: undefined: Time\n /usr/local/Cellar/go/1.19.3/libexec/src/time/sleep.go:156:31: undefined: Time\n /usr/local/Cellar/go/1.19.3/libexec/src/time/tick.go:12:11: undefined: Time\n /usr/local/Cellar/go/1.19.3/libexec/src/time/format.go:508:9: undefined: Time\n /usr/local/Cellar/go/1.19.3/libexec/src/time/format.go:539:9: undefined: Time\n /usr/local/Cellar/go/1.19.3/libexec/src/time/format.go:598:9: undefined: Time\n /usr/local/Cellar/go/1.19.3/libexec/src/time/format.go:614:9: undefined: Time\n /usr/local/Cellar/go/1.19.3/libexec/src/time/format.go:958:35: undefined: Time\n /usr/local/Cellar/go/1.19.3/libexec/src/time/format.go:967:60: undefined: Time\n /usr/local/Cellar/go/1.19.3/libexec/src/time/format.go:971:69: undefined: Time\n /usr/local/Cellar/go/1.19.3/libexec/src/time/sleep.go:156:31: too many errors\n \n```\n\ngo buildを実行すると上記エラーが出ます。 \ntimeに関するコードをすべてコメントアウトしてもエラーが消えません。\n\n# 実行していたコード\n\n```\n\n t := time.Now().UTC()\n tokyo, err := time.LoadLocation(\"Asia/Tokyo\")\n if err != nil {\n fmt.Println(\"日本の現在時刻取得失敗\")\n }\n Date := t.In(tokyo)\n \n```\n\n上記コードで日本の現在時刻を取得しようとしていました。 \n正しい時刻が取得できなかったのですが、ローカル環境ではUTCを変更することが出来ないという記事を見つけたのでそちらは問題ありません。\n\nそのまま実行しようとしたらエラー文が消えなくなってしまいました。 \n日本の現在時刻しようと何度かコードを実行したので、その際にエラーが出てしまったのかと思います。 \n(実行したコードは消してしまって残っておりません)\n\ntimeに関するコードをコメントアウトしてもエラーが消えないということは原因はどちらにあるのでしょうか? \nどなたかご教授いただけると幸いです。 \n宜しくお願い致します。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T06:34:51.830", "favorite_count": 0, "id": "92535", "last_activity_date": "2022-12-02T12:04:03.860", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55729", "post_type": "question", "score": 0, "tags": [ "go" ], "title": "Go言語でtimeパッケージを使用してからundefinedというエラーが出る", "view_count": 114 }
[ { "body": "Go のファイルが壊れているようです。 \n具体的には、`/usr/local/Cellar/go/1.19.3/libexec/src/time/time.go`\nが存在しないか、上書きされていませんか?\n\nGo を再インストールしてみてはいかがでしょうか。\n\n```\n\n brew reinstall go\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T12:04:03.860", "id": "92539", "last_activity_date": "2022-12-02T12:04:03.860", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "14334", "parent_id": "92535", "post_type": "answer", "score": 1 } ]
92535
null
92539
{ "accepted_answer_id": null, "answer_count": 1, "body": "Google\nColabでtensorflow(バージョン1.13.1)をインストールしたいのですが、以下のコードでうまくできません。昨日まではこれでインストールできていたのですが、突然できなくなってしまいました。\n\n```\n\n !pip install tensorflow==1.13.1\n \n```\n\n以下のようなエラーが出ます。\n\n```\n\n Looking in indexes: https://pypi.org/simple, https://us-python.pkg.dev/colab-wheels/public/simple/\n ERROR: Could not find a version that satisfies the requirement tensorflow==1.13.1 (from versions: 2.2.0, 2.2.1, 2.2.2, 2.2.3, 2.3.0, 2.3.1, 2.3.2, 2.3.3, 2.3.4, 2.4.0, 2.4.1, 2.4.2, 2.4.3, 2.4.4, 2.5.0, 2.5.1, 2.5.2, 2.5.3, 2.6.0rc0, 2.6.0rc1, 2.6.0rc2, 2.6.0, 2.6.1, 2.6.2, 2.6.3, 2.6.4, 2.6.5, 2.7.0rc0, 2.7.0rc1, 2.7.0, 2.7.1, 2.7.2, 2.7.3, 2.7.4, 2.8.0rc0, 2.8.0rc1, 2.8.0, 2.8.1, 2.8.2, 2.8.3, 2.8.4, 2.9.0rc0, 2.9.0rc1, 2.9.0rc2, 2.9.0, 2.9.1, 2.9.2, 2.9.3, 2.10.0rc0, 2.10.0rc1, 2.10.0rc2, 2.10.0rc3, 2.10.0, 2.10.1, 2.11.0rc0, 2.11.0rc1, 2.11.0rc2, 2.11.0)\n ERROR: No matching distribution found for tensorflow==1.13.1\n \n```\n\n解決方法ございましたら、教えていただけますと幸いです。よろしくお願いいたします。", "comment_count": 3, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T09:04:09.900", "favorite_count": 0, "id": "92537", "last_activity_date": "2022-12-03T05:22:23.337", "last_edit_date": "2022-12-03T05:22:23.337", "last_editor_user_id": "3060", "owner_user_id": "55731", "post_type": "question", "score": 0, "tags": [ "python", "tensorflow", "google-colaboratory" ], "title": "Google Colab でバージョン指定したインストールができない", "view_count": 1074 }
[ { "body": "[Colaboratory Release\nNotes](https://colab.research.google.com/notebooks/relnotes.ipynb)によると、2022/8/11に「Removed\nsupport for TensorFlow 1」と書かれています。TensorFlow\n1.x系のサポートは終了のようです。2系に移行する必要があるでしょう。\n\n参考までに下記記事ではtensorflow-gpu 1.15.2を使う方法が書かれています。※本日現在動作するかは当方では検証していません。\n\n[Google ColabにおけるTensorFlow\n1.x系のサポート終了への対応](https://qiita.com/katoyu_try1/items/0228870c41d9ac54e6e9)\n\n[Did colab suspend tensorflow\n1.x?](https://stackoverflow.com/questions/73215696/did-colab-suspend-\ntensorflow-1-x)", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T23:57:21.333", "id": "92547", "last_activity_date": "2022-12-02T23:57:21.333", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "39819", "parent_id": "92537", "post_type": "answer", "score": 2 } ]
92537
null
92547
{ "accepted_answer_id": null, "answer_count": 0, "body": "iOSのBluetooth通信について質問があります。\n\nこのような形でBluetooth通信を作成しました。 \nこの場合において、相手端末側との通信の切断が発生した場合の通知を受け取りたいのですが、どの様にすればよいのでしょうか。\n\nよろしくお願い致します。\n\n```\n\n func centralManager(_ central: CBCentralManager, didDiscover peripheral: CBPeripheral, advertisementData: [String : Any], rssi RSSI: NSNumber) {\n self.peripheral = peripheral\n centralManager.connect(peripheral, options: nil)\n }\n \n func centralManager(_ central: CBCentralManager, didConnect peripheral: CBPeripheral) {\n centralManager.stopScan()\n \n self.peripheral.delegate = self\n self.peripheral.discoverServices([serviceUUID])\n }\n \n func peripheral(_ peripheral: CBPeripheral, didDiscoverServices error: Error?) {\n if error != nil {\n return\n }\n self.peripheral.discoverCharacteristics([charcteristicUUID], for: (peripheral.services?.first)!)\n }\n \n func peripheral(_ peripheral: CBPeripheral, didDiscoverCharacteristicsFor service: CBService, error: Error?) {\n if error != nil {\n return\n }\n characteristic = service.characteristics?.first\n isConnected = true;\n }\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T09:36:31.577", "favorite_count": 0, "id": "92538", "last_activity_date": "2022-12-03T06:47:21.910", "last_edit_date": "2022-12-03T06:47:21.910", "last_editor_user_id": "3060", "owner_user_id": "29606", "post_type": "question", "score": 0, "tags": [ "ios", "xcode", "bluetooth" ], "title": "iOSのBluetooth通信で切断した場合の通知を受け取りたい", "view_count": 79 }
[]
92538
null
null
{ "accepted_answer_id": "92546", "answer_count": 2, "body": "以下の2つのJavaScriptのコードがあるとします。 \n細かいパフォーマンスを除けば、どちらも同じ出力が得られるはずです。 \n違いは、変数isMorningがtruthyなら関数morningGreeting()をコールするか、関数morningGreeting()は必ずコールしてその中で分岐するか、ということです。\n\n```\n\n if (isMorning) morningGreeting();\n \n function morningGreeting() {\n console.log('Good morning!');\n }\n \n```\n\n```\n\n morningGreeting();\n \n function morningGreeting() {\n if (isMorning) {\n console.log('Good morning!');\n }\n }\n \n```\n\n一般的に、どちらのコードの方が保守性・可読性の点で優れているか、というのはあるでしょうか? \nプロジェクトで統一されていればどちらでもいいという意見もあるかもしれません。 \n皆さんのご意見を伺いたいです。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T14:21:23.970", "favorite_count": 0, "id": "92542", "last_activity_date": "2022-12-03T08:07:50.417", "last_edit_date": "2022-12-03T08:07:50.417", "last_editor_user_id": "3054", "owner_user_id": "41605", "post_type": "question", "score": 0, "tags": [ "javascript" ], "title": "条件分岐は呼び出し元と呼び出し先、どちらに書くのが良いでしょうか", "view_count": 224 }
[ { "body": "`console.log('Good\nmorning!');`を実行するのは`isMorning`が偽のときに限るのか、そうでないのかで決まる話だと思います。 \n限るのであれば、モジュール強度の観点でfunctionの中で実行するのがよいと思います。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T23:24:51.983", "id": "92546", "last_activity_date": "2022-12-02T23:24:51.983", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "35558", "parent_id": "92542", "post_type": "answer", "score": 0 }, { "body": "1. 設計によるところと思います。 \n質問の例であれば、「ある条件の時にある関数(`morningGreeting`)を呼ぶ」設計とするのか「常にある関数(`morningGreeting`)を呼ぶ設計にするのか、という観点です。 \nこの考え方によって、拡張性の点で考慮するところが変わると思います。後者の設計であれば、その関数に別の処理を追加するのは妥当と考えることができますが、前者だと追加する処理は限定されるでしょう。\n\n 2. 前述の考え方とは別に、質問の例の後者(関数内で条件判定する)において、関数のスコープ外の変数「`isMoring`」を参照するのは関数の独立性の点で良くないと思います。 \n引数で渡す実装ができるのであればどちらの実装もありだと思いますが、渡せないのであれば、前者の実装(呼び出し元で条件判定する)のが適切と思います。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-03T06:51:59.323", "id": "92551", "last_activity_date": "2022-12-03T06:51:59.323", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "20098", "parent_id": "92542", "post_type": "answer", "score": 0 } ]
92542
92546
92546
{ "accepted_answer_id": "92733", "answer_count": 1, "body": "Git でCherry-pick 後に Mergeすると同じCommitが複数できてしまいました。\n\n以下のようにしたときに同じ内容のコミット履歴ができてしまいました。 \nこれを解消するにはどうしたらよいでしょうか。\n\n【前提】 \nBranch:A , Branch: B \n【手順】 \n1.Branch:A のCommit1をBranch:Bにcherry-pickする \n2.Branch:A のCommit2をBranch:Bにcherry-pickする \n3.Branch:A をBranch:B に mergeする\n\n例: \n1.git checkout branchB \n2.git cherry-pick commitid1(Branch:Aのsha1) \n3.git cherry-pick commitid2(Branch:Aのsha1) \n4.git merge origin/branchB\n\n例の4が終わったあとに commitid1, commitid2 に対応する コミットの履歴が複数できてしまいました。(commitid は同じではない) \n同じcommit内容が履歴に残らないようにするにはどうしたら良いでしょうか。 \nまた、すでにPUSHされてしまった重複する履歴をまとめるもしくは削除するにはどうしたら良いでしょうか。 \nご教示頂けますと幸いです。", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T14:37:44.357", "favorite_count": 0, "id": "92543", "last_activity_date": "2023-01-02T21:22:08.720", "last_edit_date": "2022-12-03T05:38:21.033", "last_editor_user_id": "3060", "owner_user_id": "42827", "post_type": "question", "score": 0, "tags": [ "git", "github" ], "title": "Git でCherry-pick 後に Mergeすると同じCommitの履歴が複数できてしまう", "view_count": 883 }
[ { "body": "次のようにコミットを行ったとき、\n\n```\n\n git init\n touch hello.txt\n git add .\n git commit -m init\n git branch branchA\n git branch branchB\n git checkout branchA\n echo 'edit 1' >> hello.txt\n git commit -am 'commit 1'\n echo 'edit 2' >> hello.txt\n git commit -am 'commit 2'\n git checkout branchB\n git cherry-pick -x branchA^^..branchA\n git merge --no-edit branchA\n \n```\n\n`git log` コマンドを実行すると次のような結果になります:\n\n```\n\n commit 441d9cdca924b7979a0ea95e70b3a6d9df43a012 (HEAD -> branchB)\n Merge: f10473e ac17f85\n Author: yukihane <[email protected]>\n Date: Tue Dec 13 09:35:41 2022 +0900\n \n Merge branch 'branchA' into branchB\n \n commit f10473ee50e5d6f1a73d5e5be95b9cadfafb00d1\n Author: yukihane <[email protected]>\n Date: Tue Dec 13 09:35:40 2022 +0900\n \n commit 2\n \n (cherry picked from commit ac17f85eda899e20952ad5d4ef41515af4174cb1)\n \n commit ac17f85eda899e20952ad5d4ef41515af4174cb1 (branchA)\n Author: yukihane <[email protected]>\n Date: Tue Dec 13 09:35:40 2022 +0900\n \n commit 2\n \n commit bd740a9896832c5a6218921fe90c3ff93d3ae438\n Author: yukihane <[email protected]>\n Date: Tue Dec 13 09:35:40 2022 +0900\n \n commit 1\n \n (cherry picked from commit d0b43f3e15de1177e1c21da4f92231eb065a978e)\n \n commit d0b43f3e15de1177e1c21da4f92231eb065a978e\n Author: yukihane <[email protected]>\n Date: Tue Dec 13 09:35:40 2022 +0900\n \n commit 1\n \n commit d7b431119cb57e33d986dcbd0c9c1c34653a2a2e (main)\n Author: yukihane <[email protected]>\n Date: Tue Dec 13 09:35:39 2022 +0900\n \n init\n \n```\n\nコミットしているので履歴に残るのは当然です。履歴から抹消したいのであれば `rebase` でコミットを削除する必要があります。 \nただしコミットはそのままでも、出力時に非表示にすることはできます。\n\n`git merge` でマージしたブランチ(今回の場合は`branchA`)のコミットを非表示にしたいのであれば、 [`--first-\nparent`](https://git-scm.com/docs/git-log#Documentation/git-log.txt---first-\nparent)オプションが利用可能です:\n\n```\n\n $ git checkout branchB\n $ git log --first-parent\n commit 441d9cdca924b7979a0ea95e70b3a6d9df43a012 (HEAD -> branchB)\n Merge: f10473e ac17f85\n Author: yukihane <[email protected]>\n Date: Tue Dec 13 09:35:41 2022 +0900\n \n Merge branch 'branchA' into branchB\n \n commit f10473ee50e5d6f1a73d5e5be95b9cadfafb00d1\n Author: yukihane <[email protected]>\n Date: Tue Dec 13 09:35:40 2022 +0900\n \n commit 2\n \n (cherry picked from commit ac17f85eda899e20952ad5d4ef41515af4174cb1)\n \n commit bd740a9896832c5a6218921fe90c3ff93d3ae438\n Author: yukihane <[email protected]>\n Date: Tue Dec 13 09:35:40 2022 +0900\n \n commit 1\n \n (cherry picked from commit d0b43f3e15de1177e1c21da4f92231eb065a978e)\n \n commit d7b431119cb57e33d986dcbd0c9c1c34653a2a2e (main)\n Author: yukihane <[email protected]>\n Date: Tue Dec 13 09:35:39 2022 +0900\n \n init\n \n```\n\n* * *\n\n([コメント](https://ja.stackoverflow.com/questions/92543/git-%e3%81%a7cherry-\npick-%e5%be%8c%e3%81%ab-\nmerge%e3%81%99%e3%82%8b%e3%81%a8%e5%90%8c%e3%81%98commit%e3%81%ae%e5%b1%a5%e6%ad%b4%e3%81%8c%e8%a4%87%e6%95%b0%e3%81%a7%e3%81%8d%e3%81%a6%e3%81%97%e3%81%be%e3%81%86/92733?noredirect=1#comment106181_92733)をうけて追記)\n\n履歴から抹消する(cherry-pick による変更を無かったことにする)場合、いくつかやり方はありますが、今回の例のように直近に行ったのが cherry-\npick だけなのであれば、`git reset --hard` で cherry-pick する前に戻ればよいです。 \n具体的には:\n\n```\n\n git init\n touch hello.txt\n git add .\n git commit -m init\n git branch branchA\n git branch branchB\n git checkout branchA\n echo 'edit 1' >> hello.txt\n git commit -am 'commit 1'\n echo 'edit 2' >> hello.txt\n git commit -am 'commit 2'\n git checkout branchB\n git cherry-pick -x branchA^^..branchA\n git reset --hard @^^ # cherry-pick する直前のコミットに戻る\n git merge --no-edit branchA\n \n```\n\nそうでなく、 cherry-pick 以外のコミットも混ざっている場合には、 `git rebase -i` で cherry-pick\nコミットだけを削除することになります。次のコマンドを実行後\n\n```\n\n git init\n touch hello.txt\n git add .\n git commit -m init\n git branch branchA\n git branch branchB\n git checkout branchA\n echo 'edit 1' >> hello.txt\n git commit -am 'commit 1'\n echo 'edit 2' >> hello.txt\n git commit -am 'commit 2'\n git checkout branchB\n git cherry-pick -x branchA^^..branchA\n echo edit3 >> hello.txt \n git commit -am 'additional edit' # chery-pick の後に変更を加えた\n \n```\n\n`git rebase -i` で編集画面を開き\n\n```\n\n git rebase -i @^^^ # cherry-pick 直前のコミットを指定\n \n```\n\ncherry-pick コミット似該当する行を削除します。(今回の場合は上2行を削除)\n\n```\n\n pick 0eae88f commit 1 # cherry-pick コミットなので削除\n pick 7aff1b2 commit 2 # cherry-pick コミットなので削除\n pick f659246 additional edit # 削除せず残す\n \n```\n\n最後にマージして完了です。\n\n```\n\n git merge --no-edit branchA\n \n```", "comment_count": 3, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-13T00:50:20.577", "id": "92733", "last_activity_date": "2023-01-02T21:22:08.720", "last_edit_date": "2023-01-02T21:22:08.720", "last_editor_user_id": "2808", "owner_user_id": "2808", "parent_id": "92543", "post_type": "answer", "score": 0 } ]
92543
92733
92733
{ "accepted_answer_id": null, "answer_count": 1, "body": "インストールしたいライブラリがPython3.7に対応しています。しかし、google\ncolaboratoryのPythonのバージョンが3.8.5のようで、インストールができず困っています。 \nご教授いただけましたら幸いです。よろしくお願いいたします。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T15:21:05.580", "favorite_count": 0, "id": "92544", "last_activity_date": "2022-12-02T16:57:25.697", "last_edit_date": "2022-12-02T16:57:25.697", "last_editor_user_id": "3060", "owner_user_id": "55731", "post_type": "question", "score": 1, "tags": [ "python", "google-colaboratory" ], "title": "Google Colaboratory で Python のバージョンを3.7に変更したい", "view_count": 3757 }
[ { "body": "`/usr/bin/` 以下に Python 3.7 が入っていなかったので、まず python3.7 パッケージをインストールした後、`update-\nalternatives` コマンドでバージョン切り替えの候補に追加します。\n\n```\n\n !sudo apt install python3.7\n !sudo update-alternatives --install /usr/bin/python3 python3 /usr/bin/python3.7 1\n \n```\n\n続けて以下のコマンドを実行すると Python のバージョン選択の画面になります。 \n`*` の付いている 3.8 が現在のデフォルトになっているので、先ほど追加した 3.7 を選ぶには `2` を入力します。\n\n```\n\n !sudo update-alternatives --config python3\n \n There are 3 choices for the alternative python3 (providing /usr/bin/python3).\n \n Selection Path Priority Status\n ------------------------------------------------------------\n * 0 /usr/bin/python3.8 2 auto mode\n 1 /usr/bin/python3.6 1 manual mode\n 2 /usr/bin/python3.7 1 manual mode\n 3 /usr/bin/python3.8 2 manual mode\n \n Press <enter> to keep the current choice[*], or type selection number: 2\n \n```\n\n設定後、Python のバージョンが切り替わっているかを確認してください。\n\n```\n\n !python --version\n Python 3.7.15\n \n```\n\n**参考:** \n[How to Change Python Version in Google Colab : 3 Steps\nOnly](https://www.datasciencelearner.com/change-python-version-in-google-\ncolab-steps/)", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-02T16:56:47.953", "id": "92545", "last_activity_date": "2022-12-02T16:56:47.953", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "3060", "parent_id": "92544", "post_type": "answer", "score": 1 } ]
92544
null
92545
{ "accepted_answer_id": null, "answer_count": 0, "body": "何かをPOSTした後、即座にその内容がReactで表示されるようにしたいです。\n\nデータベース(prisma)の方には即座にデータが書き込まれていますが、そのfeedがReact側に更新されません。\n\n一応更新はされるのですが、十秒くらい時間を置いた上で、そのウインドウを離れて別のウインドウをクリックしてから、元のウインドウに戻ってこないと、更新されません。\n\n```\n\n import { useState } from \"react\";\n import { mutate } from \"swr\";\n \n import { fetcher } from \"./util/fetcher\";\n import { useFeed, useMe } from \"./util/hooks\";\n import { Button, message, Input, Row, Col } from \"antd\";\n \n export const CreateTweetForm = () => {\n const [input, setInput] = useState(\"\");\n const { feed } = useFeed();\n const { me } = useMe();\n return (\n <form\n style={{ padding: \"2rem\" }}\n onSubmit={async (e) => {\n e.preventDefault();\n if (input.length < 1) {\n message.error(\"Oops! You can't create empty tweets.\");\n return;\n }\n \n mutate(\"/api/feed\", [{ text: input, author: me }, ...feed], false);\n fetcher(\"/api/tweet/create\", {\n text: input,\n });\n \n setInput(\"\");\n }}\n >\n <Row>\n <Col>\n <Input value={input} onChange={(e) => setInput(e.target.value)} />\n </Col>\n \n <Col>\n <Button htmlType=\"submit\">Tweet</Button>\n </Col>\n </Row>\n </form>\n );\n };\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-03T09:07:23.547", "favorite_count": 0, "id": "92552", "last_activity_date": "2022-12-03T09:07:23.547", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "25296", "post_type": "question", "score": 0, "tags": [ "reactjs" ], "title": "POSTした後、mutateでデータが更新されない swr fetcher", "view_count": 115 }
[]
92552
null
null
{ "accepted_answer_id": null, "answer_count": 1, "body": "tensorflowのバージョンを1.15.2に変更したいのですが、現在Google\nColab上でPythonのバージョンがデフォルトで3.8になっており、tensorflowの1.x系をインストールするには3.7にダウングレードする必要があるため、以下のサイトを参考にPythonを3.7に変更しました。\n\n[Google\nColabでPythonのバージョンを変更(Miniconda経由)](https://krhb.hatenablog.com/entry/2021/07/04/Google_Colab%E3%81%A7Python%E3%81%AE%E3%83%90%E3%83%BC%E3%82%B8%E3%83%A7%E3%83%B3%E3%82%92%E5%A4%89%E6%9B%B4%EF%BC%88Miniconda%E7%B5%8C%E7%94%B1%EF%BC%89)\n\nその後、以下のようにtensorflowをインストールしてバージョンを確認しようとしたのですがなぜかtensorflowが読み込まれず困っており、どうしたらよろしいでしょうか。\n\n解決方法がございましたら、回答いただけますと幸いです。 \nよろしくお願いいたします。\n\n```\n\n !pip uninstall -y tensorflow\n !pip install tensorflow==1.15.2\n \n import tensorflow as tf\n tf.__version__\n \n```\n\n出力\n\n```\n\n Found existing installation: tensorflow 1.15.2\n Uninstalling tensorflow-1.15.2:\n Successfully uninstalled tensorflow-1.15.2\n WARNING: Running pip as the 'root' user can result in broken permissions and conflicting behaviour with the system package manager. It is recommended to use a virtual environment instead: https://pip.pypa.io/warnings/venv\n Looking in indexes: https://pypi.org/simple, https://us-python.pkg.dev/colab-wheels/public/simple/\n Collecting tensorflow==1.15.2\n Using cached tensorflow-1.15.2-cp37-cp37m-manylinux2010_x86_64.whl (110.5 MB)\n Requirement already satisfied: termcolor>=1.1.0 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (2.1.1)\n Requirement already satisfied: protobuf>=3.6.1 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (4.21.10)\n Requirement already satisfied: keras-preprocessing>=1.0.5 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (1.1.2)\n Requirement already satisfied: absl-py>=0.7.0 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (1.3.0)\n Requirement already satisfied: gast==0.2.2 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (0.2.2)\n Requirement already satisfied: six>=1.10.0 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (1.16.0)\n Requirement already satisfied: wrapt>=1.11.1 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (1.14.1)\n Requirement already satisfied: google-pasta>=0.1.6 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (0.2.0)\n Requirement already satisfied: keras-applications>=1.0.8 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (1.0.8)\n Requirement already satisfied: tensorboard<1.16.0,>=1.15.0 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (1.15.0)\n Requirement already satisfied: opt-einsum>=2.3.2 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (3.3.0)\n Requirement already satisfied: grpcio>=1.8.6 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (1.51.1)\n Requirement already satisfied: numpy<2.0,>=1.16.0 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (1.21.6)\n Requirement already satisfied: wheel>=0.26 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (0.37.1)\n Requirement already satisfied: astor>=0.6.0 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (0.8.1)\n Requirement already satisfied: tensorflow-estimator==1.15.1 in /usr/local/lib/python3.7/site-packages (from tensorflow==1.15.2) (1.15.1)\n Requirement already satisfied: h5py in /usr/local/lib/python3.7/site-packages (from keras-applications>=1.0.8->tensorflow==1.15.2) (3.7.0)\n Requirement already satisfied: markdown>=2.6.8 in /usr/local/lib/python3.7/site-packages (from tensorboard<1.16.0,>=1.15.0->tensorflow==1.15.2) (3.4.1)\n Requirement already satisfied: setuptools>=41.0.0 in /usr/local/lib/python3.7/site-packages (from tensorboard<1.16.0,>=1.15.0->tensorflow==1.15.2) (65.5.0)\n Requirement already satisfied: werkzeug>=0.11.15 in /usr/local/lib/python3.7/site-packages (from tensorboard<1.16.0,>=1.15.0->tensorflow==1.15.2) (2.2.2)\n Requirement already satisfied: importlib-metadata>=4.4 in /usr/local/lib/python3.7/site-packages (from markdown>=2.6.8->tensorboard<1.16.0,>=1.15.0->tensorflow==1.15.2) (4.11.3)\n Requirement already satisfied: MarkupSafe>=2.1.1 in /usr/local/lib/python3.7/site-packages (from werkzeug>=0.11.15->tensorboard<1.16.0,>=1.15.0->tensorflow==1.15.2) (2.1.1)\n Requirement already satisfied: zipp>=0.5 in /usr/local/lib/python3.7/site-packages (from importlib-metadata>=4.4->markdown>=2.6.8->tensorboard<1.16.0,>=1.15.0->tensorflow==1.15.2) (3.8.0)\n Requirement already satisfied: typing-extensions>=3.6.4 in /usr/local/lib/python3.7/site-packages (from importlib-metadata>=4.4->markdown>=2.6.8->tensorboard<1.16.0,>=1.15.0->tensorflow==1.15.2) (4.4.0)\n Installing collected packages: tensorflow\n Successfully installed tensorflow-1.15.2\n WARNING: Running pip as the 'root' user can result in broken permissions and conflicting behaviour with the system package manager. It is recommended to use a virtual environment instead: https://pip.pypa.io/warnings/venv\n ---------------------------------------------------------------------------\n ModuleNotFoundError Traceback (most recent call last)\n <ipython-input-9-fa12b07dae70> in <module>\n 2 get_ipython().system('pip install tensorflow==1.15.2')\n 3 \n ----> 4 import tensorflow as tf\n 5 tf.__version__\n \n ModuleNotFoundError: No module named 'tensorflow'\n \n ---------------------------------------------------------------------------\n NOTE: If your import is failing due to a missing package, you can\n manually install dependencies using either !pip or !apt.\n \n To view examples of installing some common dependencies, click the\n \"Open Examples\" button below.\n ---------------------------------------------------------------------------\n \n```", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-03T09:38:30.177", "favorite_count": 0, "id": "92553", "last_activity_date": "2023-01-14T15:06:35.837", "last_edit_date": "2022-12-03T09:54:59.503", "last_editor_user_id": "3060", "owner_user_id": "55747", "post_type": "question", "score": 0, "tags": [ "python", "tensorflow", "google-colaboratory" ], "title": "Google Colab上でtensorflowのバージョンを変更したい", "view_count": 1127 }
[ { "body": "[Google Colab\nでバージョン指定したインストールができない](https://ja.stackoverflow.com/questions/92537)\nにて回答していますが、Google\nColaboratoryにてtensorflow1系のサポートは終了したようです。他の環境での1系の使用を検討されるか、2系への移行を検討されるのが良いかと思います。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-03T10:29:11.717", "id": "92554", "last_activity_date": "2022-12-03T10:29:11.717", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "39819", "parent_id": "92553", "post_type": "answer", "score": 1 } ]
92553
null
92554
{ "accepted_answer_id": null, "answer_count": 0, "body": "現在MX Linuxというディストリビューションを利用して開発を行なっています。\n\n開発環境としては以下のようにシンプルな環境です。\n\n * docker-compose \n * rails\n * postgres\n\nまた、この環境でMX Linux側でGUIクライアントでpostgresの中身を見たく、tableplusというクライアントをインストールしました。 \n接続はうまくできたのですが、接続後内容を見てみると望んでいないテーブル情報が出てきます。\n\napplicable_rolesやattributes, callcationsなどの情報です。 \nおそらくpostgresのもう一つ上の階層の情報などだと思います。\n\nこちら、接続しているpostgres内にある私が定義したDBのテーブルの情報を見るためにはどうすればよいでしょうか? \nちなみに、普段使っているmacでは上記と同じ接続方法、情報でテーブル一覧が出てきます。\n\nなにかわかる方がいらっしゃたらご教授頂きたいです。 \nよろしくお願いいたします。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-03T11:28:55.060", "favorite_count": 0, "id": "92555", "last_activity_date": "2022-12-04T04:34:10.587", "last_edit_date": "2022-12-04T04:34:10.587", "last_editor_user_id": "3060", "owner_user_id": "55750", "post_type": "question", "score": 0, "tags": [ "linux", "postgresql" ], "title": "linux上でpostgresのGUIクライアントであるtableplusをインストールしたのですが、table一覧が出てきません", "view_count": 82 }
[]
92555
null
null
{ "accepted_answer_id": null, "answer_count": 2, "body": "ssh先のUbuntu22.04のサーバーで\n\n```\n\n git push\n \n```\n\nを行おうとすると、\n\n```\n\n [email protected]: Permission denied (publickey).\n fatal: Could not read from remote repository.\n \n Please make sure you have the correct access rights\n and the repository exists.\n \n```\n\nと出てpushできません。 \nサーバーのshellを用いて直接pushすることはできます。\n\nそこで、\n\n```\n\n ssh -Tv [email protected]\n \n```\n\nを行いました。\n\n```\n\n OpenSSH_8.9p1 Ubuntu-3, OpenSSL 3.0.2 15 Mar 2022\n debug1: Reading configuration data /etc/ssh/ssh_config\n debug1: /etc/ssh/ssh_config line 19: include /etc/ssh/ssh_config.d/*.conf matched no files\n debug1: /etc/ssh/ssh_config line 21: Applying options for *\n debug1: Connecting to github.com [20.27.177.113] port 22.\n debug1: Connection established.\n debug1: identity file /home/bokutotu/.ssh/id_rsa type -1\n debug1: identity file /home/bokutotu/.ssh/id_rsa-cert type -1\n debug1: identity file /home/bokutotu/.ssh/id_ecdsa type -1\n debug1: identity file /home/bokutotu/.ssh/id_ecdsa-cert type -1\n debug1: identity file /home/bokutotu/.ssh/id_ecdsa_sk type -1\n debug1: identity file /home/bokutotu/.ssh/id_ecdsa_sk-cert type -1\n debug1: identity file /home/bokutotu/.ssh/id_ed25519 type -1\n debug1: identity file /home/bokutotu/.ssh/id_ed25519-cert type -1\n debug1: identity file /home/bokutotu/.ssh/id_ed25519_sk type -1\n debug1: identity file /home/bokutotu/.ssh/id_ed25519_sk-cert type -1\n debug1: identity file /home/bokutotu/.ssh/id_xmss type -1\n debug1: identity file /home/bokutotu/.ssh/id_xmss-cert type -1\n debug1: identity file /home/bokutotu/.ssh/id_dsa type -1\n debug1: identity file /home/bokutotu/.ssh/id_dsa-cert type -1\n debug1: Local version string SSH-2.0-OpenSSH_8.9p1 Ubuntu-3\n debug1: Remote protocol version 2.0, remote software version babeld-cd305013\n debug1: compat_banner: no match: babeld-cd305013\n debug1: Authenticating to github.com:22 as 'git'\n debug1: load_hostkeys: fopen /home/bokutotu/.ssh/known_hosts2: No such file or directory\n debug1: load_hostkeys: fopen /etc/ssh/ssh_known_hosts: No such file or directory\n debug1: load_hostkeys: fopen /etc/ssh/ssh_known_hosts2: No such file or directory\n debug1: SSH2_MSG_KEXINIT sent\n debug1: SSH2_MSG_KEXINIT received\n debug1: kex: algorithm: curve25519-sha256\n debug1: kex: host key algorithm: ssh-ed25519\n debug1: kex: server->client cipher: [email protected] MAC: <implicit> compression: none\n debug1: kex: client->server cipher: [email protected] MAC: <implicit> compression: none\n debug1: expecting SSH2_MSG_KEX_ECDH_REPLY\n debug1: SSH2_MSG_KEX_ECDH_REPLY received\n debug1: Server host key: ssh-ed25519 SHA256:+DiY3wvvV6TuJJhbpZisF/zLDA0zPMSvHdkr4UvCOqU\n debug1: load_hostkeys: fopen /home/bokutotu/.ssh/known_hosts2: No such file or directory\n debug1: load_hostkeys: fopen /etc/ssh/ssh_known_hosts: No such file or directory\n debug1: load_hostkeys: fopen /etc/ssh/ssh_known_hosts2: No such file or directory\n debug1: Host 'github.com' is known and matches the ED25519 host key.\n debug1: Found key in /home/bokutotu/.ssh/known_hosts:1\n debug1: rekey out after 134217728 blocks\n debug1: SSH2_MSG_NEWKEYS sent\n debug1: expecting SSH2_MSG_NEWKEYS\n debug1: SSH2_MSG_NEWKEYS received\n debug1: rekey in after 134217728 blocks\n debug1: Will attempt key: /home/bokutotu/.ssh/id_rsa\n debug1: Will attempt key: /home/bokutotu/.ssh/id_ecdsa\n debug1: Will attempt key: /home/bokutotu/.ssh/id_ecdsa_sk\n debug1: Will attempt key: /home/bokutotu/.ssh/id_ed25519\n debug1: Will attempt key: /home/bokutotu/.ssh/id_ed25519_sk\n debug1: Will attempt key: /home/bokutotu/.ssh/id_xmss\n debug1: Will attempt key: /home/bokutotu/.ssh/id_dsa\n debug1: SSH2_MSG_EXT_INFO received\n debug1: kex_input_ext_info: server-sig-algs=<[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],ssh-ed25519,ecdsa-sha2-nistp521,ecdsa-sha2-nistp384,ecdsa-sha2-nistp256,rsa-sha2-512,rsa-sha2-256,ssh-rsa>\n debug1: SSH2_MSG_SERVICE_ACCEPT received\n debug1: Authentications that can continue: publickey\n debug1: Next authentication method: publickey\n debug1: Trying private key: /home/bokutotu/.ssh/id_rsa\n debug1: Trying private key: /home/bokutotu/.ssh/id_ecdsa\n debug1: Trying private key: /home/bokutotu/.ssh/id_ecdsa_sk\n debug1: Trying private key: /home/bokutotu/.ssh/id_ed25519\n debug1: Trying private key: /home/bokutotu/.ssh/id_ed25519_sk\n debug1: Trying private key: /home/bokutotu/.ssh/id_xmss\n debug1: Trying private key: /home/bokutotu/.ssh/id_dsa\n debug1: No more authentication methods to try.\n [email protected]: Permission denied (publickey).\n \n```\n\nと出てきました。 \nこのエラーを解決する方法がわかりません。\n\n<https://docs.github.com/ja/authentication/troubleshooting-ssh/error-\npermission-denied-publickey>\n\n```\n\n eval \"$(ssh-agent -s)\"\n ssh-add -l -E ecdsa\n \n```\n\nを行いましたが、\n\n```\n\n Invalid hash algorithm \"ecdsa\"\n \n```\n\nとなってしまいました。\n\n予測としては、sshの権限周りの設定がうまくできていないかと思われますが、 \n要因の推定がうまくできません。\n\nご回答の程よろしくお願いいたします。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-03T17:45:08.073", "favorite_count": 0, "id": "92558", "last_activity_date": "2022-12-07T05:20:13.663", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "31609", "post_type": "question", "score": -1, "tags": [ "git", "ssh" ], "title": "ssh先でgit pushできない", "view_count": 415 }
[ { "body": "> サーバーのshellを用いて直接pushすることはできます。\n\nがどういう状況かわかりませんが。\n\n`ssh -Tv [email protected]` 出力結果は、質問文中でリンクされているページの [使用中のキーを持っていることを確認する >\n詳細を確認する](https://docs.github.com/ja/authentication/troubleshooting-ssh/error-\npermission-denied-publickey#getting-more-details) で例示されている事象と同一に見えます。\n\nつまり、GitHubに登録している公開鍵に対応する秘密鍵を持っていないのだと考えられます。\n\n> この例では、SSH が使用するキーはありませんでした。 「identity file」行の最後の「-1」は、SSH\n> が使用するファイルを見つけることができなかったことを示します。 その後、「Trying private\n> key」の行でもファイルが見つからなかったことが示されています。 ファイルが存在する場合は、これらの行はそれぞれ「1」と「Offering public\n> key」になります。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T22:23:05.120", "id": "92594", "last_activity_date": "2022-12-05T22:23:05.120", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "2808", "parent_id": "92558", "post_type": "answer", "score": -1 }, { "body": "> Permission denied (publickey).\n\nというエラーは、接続鍵が間違っているか、接続鍵の設定が間違っている場合に出ます \nそこらへんを見直してみよう", "comment_count": 4, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T05:20:13.663", "id": "92617", "last_activity_date": "2022-12-07T05:20:13.663", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "27481", "parent_id": "92558", "post_type": "answer", "score": -3 } ]
92558
null
92594
{ "accepted_answer_id": "92607", "answer_count": 1, "body": "[英語のStack Overflowに質問](https://stackoverflow.com/questions/74589405/create-a-\njar-file-with-dependencies-from-settings-gradle)しても回答がつかなかったのでこちらでも質問します。 \n現在のGradleはbuild.gradleだけでなくsettings.gradleも作るようになっていて依存関係などもそこに書くようになっているのでjarファイルを作るにはそれを使う必要があると思いますが、検索してもbuild.gradleからjarファイルを作る方法しか出てきません。 \nsettings.gradleから依存関係を持つjarファイルを作成するにはどうすればいいでしょう?\n\n追記: \n自分が見たページは <https://qiita.com/yoshiyu0922/items/4662a3d5f4eb29880a65> や\n<https://stackoverflow.com/questions/4871656/using-gradle-to-build-a-jar-with-\ndependencies> ですが、情報が古いせいかjarファイルができなかったりエラーが起きたりしました。 \n[Gradle Shadow\nPlugin](https://imperceptiblethoughts.com/shadow/introduction/#benefits-of-\nshadow)を使う方法だとできそうなのですが、\n\n```\n\n > shadow.org.apache.tools.zip.Zip64RequiredException: archive contains more than 65535 entries.\n \n To build this archive, please enable the zip64 extension.\n See: https://docs.gradle.org/7.4/dsl/org.gradle.api.tasks.bundling.Zip.html#org.gradle.api.tasks.bundling.Zip:zip64\n \n```\n\nというエラーが出て、エラーメッセージなどを参考に\n\n```\n\n jar {\n manifest {\n attributes \"Main-Class\": \"trend_detect.TrendAnalyzerBoot\"\n }\n zip64 = true\n }\n \n```\n\nとbuild.jarに書きましたがまだエラーが出ます。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-03T20:49:00.583", "favorite_count": 0, "id": "92559", "last_activity_date": "2022-12-07T07:59:04.077", "last_edit_date": "2022-12-07T07:59:04.077", "last_editor_user_id": "816", "owner_user_id": "816", "post_type": "question", "score": 0, "tags": [ "java", "gradle", "jar" ], "title": "settings.gradleから依存関係を持つjarファイルを作成する方法", "view_count": 197 }
[ { "body": "残念ながら、現在の質問文から質問者の置かれている状況ややりたいことを類推することは難しいです。 \nもう少し具体的な説明が必要です。\n\n想像で補完して回答すると、\n\n> 検索してもbuild.gradleからjarファイルを作る方法しか出てきません。\n\nこの方法が具体的にどういうものかわかりませんが、同じ方法で実現できると思われます(大抵の場合は `./gradlew build`\nコマンドではないかと思われます)。\n\nまた、 `settings.gradle` が置かれているディレクトリで\n\n```\n\n ./gradlew tasks\n \n```\n\nコマンドを実行すれば実行可能なタスク一覧が取得できますので、それを見れば判明することもあるかもしれません。\n\n* * *\n\n[こちらの質問](https://stackoverflow.com/q/74589405/4506703)からは、 fat-jar\nを作成したいのかな、とも思われました。\n\nその場合も、single module project と設定方法は同様です。 \n例えば[Gradle Shadow\nPlugin](https://imperceptiblethoughts.com/shadow/introduction/)を利用するのであれば、mainクラスを含むモジュールにこれをセットアップするだけです。 \n([プロジェクトサンプル](https://github.com/yukihane/stackoverflow-\nqa/tree/main/jaso92559))", "comment_count": 4, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-06T18:39:00.530", "id": "92607", "last_activity_date": "2022-12-06T19:29:23.377", "last_edit_date": "2022-12-06T19:29:23.377", "last_editor_user_id": "2808", "owner_user_id": "2808", "parent_id": "92559", "post_type": "answer", "score": 1 } ]
92559
92607
92607
{ "accepted_answer_id": null, "answer_count": 1, "body": "sshで接続したサーバーの中で一部のディレクトリにアクセスができません。 \nそのため`git push`などのコマンドが正しく動作していないです。\n\n```\n\n ls ~/.ssh\n \n```\n\nなどを実行すると\n\n```\n\n cannot access '/home/username/.ssh': Permission denied (os error 13)\n \n```\n\nと出ます。 \n`/etc/ssh/sshd_config` の`AllowUsers`や~/.sshのディレクトリ内のファイルに`chmod 777\n`を行ったりしましたが結果は変わりませんでした。\n\n解決策がわかる方がいれば教えていただきたいです。\n\nサーバー側の`~/.ssh`ディレクトリに関して`ls -la`を行った結果は\n\n```\n\n drwx------ 2 bokutotu staff 4096 12月 4 11:35 .\n drwxr-x--- 46 bokutotu bokutotu 4096 12月 4 16:34 ..\n -rw------- 1 bokutotu staff 187 12月 4 00:43 authorized_keys\n -rw------- 1 bokutotu staff 557 10月 4 11:45 coral_board\n -rw------- 1 bokutotu staff 179 10月 4 11:45 coral_board.pub\n -rw------- 1 bokutotu staff 513 12月 4 02:40 github\n -rw------- 1 bokutotu staff 179 12月 4 02:40 github.pub\n -rw------- 1 bokutotu staff 1312 12月 4 00:53 known_hosts\n -rw------- 1 bokutotu staff 948 10月 4 14:23 known_hosts.old\n -rw------- 1 bokutotu staff 179 10月 4 11:47 pbcopy\n -rw------- 1 bokutotu staff 411 5月 7 2022 serial-server.pem\n -rw------- 1 bokutotu staff 99 5月 7 2022 serial-server.pem.pub\n \n```\n\nのようになっております。\n\n`ls -ld ~/.ssh`の結果は\n\n```\n\n drwxr-x--- 46 bokutotu bokutotu 4096 12月 4 16:40 .\n \n```\n\nでした\n\n`id`の結果に関しては\n\n```\n\n uid=1000(bokutotu) gid=1000(bokutotu) groups=1000(bokutotu),4(adm),20(dialout),24(cdrom),27(sudo),30(dip),46(plugdev),122(lpadmin),134(lxd),135(sambashare)\n \n```\n\nです。", "comment_count": 5, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-03T23:58:16.180", "favorite_count": 0, "id": "92561", "last_activity_date": "2023-01-09T15:57:54.157", "last_edit_date": "2022-12-04T07:43:31.650", "last_editor_user_id": "31609", "owner_user_id": "31609", "post_type": "question", "score": 0, "tags": [ "linux", "ssh" ], "title": "ssh先でいくつかのファイルにアクセスできない", "view_count": 217 }
[ { "body": "環境は[この質問](https://ja.stackoverflow.com/questions/92558/ssh%E5%85%88%E3%81%A7git-\npush%E3%81%A7%E3%81%8D%E3%81%AA%E3%81%84)と同じサーバーという事でいいでしょうか? \nまた、問題が発生するのはSSHでログインした時のみで、サーバーのコンソール等からログインした時は問題無いという事でいいでしょうか?\n\nこれらが合っているとして、\n\n * SSH接続時のみ発生する\n * 単純にPermission deniedとなるだけではなく`(os error 13)` となる\n\nという辺りから、単純なファイル/ディレクトリのpermissionの問題ではありません。 \nただ、os error 13はおそらくEACCESの事でしょうから、何らかの権限周りの問題だと思います。 \n現象からは、SELinuxやAppArmor等の強制アクセス制御が影響しているように思います。 \nAppArmorやSELinuxの設定はどうなっていますか?\n\nUbuntu 22.04ならばAppArmorがデフォルトで有効になっているようです。 \nエラーになった時に`/var/log/syslog`等にAppArmorのログが出力されていませんか?", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2023-01-09T15:57:54.157", "id": "93269", "last_activity_date": "2023-01-09T15:57:54.157", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "12203", "parent_id": "92561", "post_type": "answer", "score": 1 } ]
92561
null
93269
{ "accepted_answer_id": null, "answer_count": 1, "body": "Flutterでadmobパッケージをインストールし、バナー広告を出そうとしましたが、下記のエラーで困っています。\n\n試したこと\n\n * info.splitにGADApplicationIdentifierを追加\n * main.dartにMobileAds.instance.initialize();を追加\n\n```\n\n Showing All Messages\n ../../../development/flutter/.pub-cache/hosted/pub.dartlang.org/google_mobile_ads-2.3.0/lib/src/ump/user_messaging_codec.dart:27:19: Error: Type 'WriteBuffer' not found.\n \n void writeValue(WriteBuffer buffer, dynamic value) {\n \n ^^^^^^^^^^^\n \n ../../../development/flutter/.pub-cache/hosted/pub.dartlang.org/google_mobile_ads-2.3.0/lib/src/ump/user_messaging_codec.dart:45:41: Error: Type 'ReadBuffer' not found.\n \n dynamic readValueOfType(dynamic type, ReadBuffer buffer) {\n \n ^^^^^^^^^^\n \n ../../../development/flutter/.pub-cache/hosted/pub.dartlang.org/google_mobile_ads-2.3.0/lib/src/ump/user_messaging_codec.dart:27:19: Error: 'WriteBuffer' isn't a type.\n \n void writeValue(WriteBuffer buffer, dynamic value) {\n \n ^^^^^^^^^^^\n \n ../../../development/flutter/.pub-cache/hosted/pub.dartlang.org/google_mobile_ads-2.3.0/lib/src/ump/user_messaging_codec.dart:45:41: Error: 'ReadBuffer' isn't a type.\n \n dynamic readValueOfType(dynamic type, ReadBuffer buffer) {\n \n ^^^^^^^^^^\n \n Failed to package /Users/name/Project/MyProject/appname.\n \n Command PhaseScriptExecution failed with a nonzero exit code\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T00:09:32.937", "favorite_count": 0, "id": "92562", "last_activity_date": "2023-03-28T15:44:37.870", "last_edit_date": "2022-12-04T04:35:06.717", "last_editor_user_id": "3060", "owner_user_id": "55755", "post_type": "question", "score": 0, "tags": [ "flutter", "admob" ], "title": "Flutter admobパッケージのインストール後のエラーが解決できない。", "view_count": 231 }
[ { "body": "こちらに解決方法が提案されているので実践してみてはいかがでしょうか。 \n<https://github.com/googleads/googleads-mobile-flutter/issues/668>", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2023-03-28T15:44:37.870", "id": "94362", "last_activity_date": "2023-03-28T15:44:37.870", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "53335", "parent_id": "92562", "post_type": "answer", "score": 0 } ]
92562
null
94362
{ "accepted_answer_id": "92571", "answer_count": 4, "body": "以下のようなバッチファイルがあります。 \nこのバッチファイルを使用せずに、Pythonから同等の処理をしてtest.exeを実行したいです。\n\n**run.bat**\n\nexeファイル実行時には、コマンドライン引数を使用します。\n\n```\n\n SETLOCAL\n SET PATH=%PATH%;..\\..\\samples\\external\\opencv\\bin;..\\..\\bin;\n test.exe --view_mode=1\n \n```\n\n以下が、Pythonで分かる部分だけ記述したものになります。\n\n**test.py**\n\n```\n\n from os import path\n import subprocess\n \n #exeファイルを実行する部分(コマンドライン引数を呼び出す方法があっているか分かりません。)\n exePath = path.join(path.dirname(__file__), 'test.exe')\n subprocess.Popen([exePath,\"--view_mode=1\"])\n \n```\n\nSET PATHがどのようなことをしているのか理解できていないため、Pythonでの記述方法が分かりません。どうしたら同等の処理を行えますか?", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T01:19:24.510", "favorite_count": 0, "id": "92563", "last_activity_date": "2022-12-05T09:33:54.667", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "36446", "post_type": "question", "score": 1, "tags": [ "python", "windows", "batch-file" ], "title": "Windowsバッチファイルの\"SET PATH\"と同等の処理をPythonから実行したい", "view_count": 475 }
[ { "body": "一般論として\n\n * 環境変数 `PATH` はプロセスを起動する際に実行ファイルを検索する対象を示します。\n * 環境変数は子プロセスに引き継がれます。\n\nこの2つから、2つの効果が得られます。\n\n * `test.exe` を起動する際に環境変数 `PATH` の中から検索されます。\n * `test.exe` が更に子プロセスを起動する際、(`test.exe`が明示的に排除しなければ)環境変数 `PATH` の中から検索されます。\n\n質問文ではこの2つの効果のうちどちらを期待するものかわかりませんでした。\n\n前者を期待するのであれば、`test.exe` がどのディレクトリに配置されているのか知っているならば、\n\n>\n```\n\n> exePath = path.join(path.dirname(__file__), 'test.exe')\n> \n```\n\nで十分です。\n\n後者を期待するのであれば、\n[`subprocess.Popen()`](https://docs.python.org/ja/3/library/subprocess.html#popen-\nconstructor) の `env` 引数に渡すことができます。\n\n* * *\n\n極まれに、環境変数 `PATH` が設定されていないと `test.exe` 自身が正常動作できないことがあります。具体的には `test.exe`\nが[DLLを読み込む際にも 環境変数 `PATH` から検索することができ](https://learn.microsoft.com/ja-\njp/windows/win32/dlls/dynamic-link-library-search-order#standard-search-order-\nfor-desktop-applications)、それに頼っている場合です。このような場合も`subprocess.Popen()` の `env`\n引数を設定する必要があります。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T01:35:56.037", "id": "92564", "last_activity_date": "2022-12-04T01:35:56.037", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "4236", "parent_id": "92563", "post_type": "answer", "score": 2 }, { "body": "プログラム起動するだけなら直接起動可能\n\n```\n\n import subprocess\n from pathlib import Path\n \n def execpg():\n for p in ('../../samples/external/opencv/bin', '../../bin'):\n prog = Path(p)/ 'test.exe'\n if prog.exists():\n break\n else:\n print('実行ファイルが見つからない')\n return\n \n proc = subprocess.Popen([prog, '--view_mode=1'])\n \n execpg()\n \n```\n\n* * *\n\n> Pythonから同等の処理を\n\n環境変数を加工する必要がある場合 …\n\nとりあえず環境変数 PATHについてざっくりと, あとは自分で調べてみてください\n\n * 環境変数はプロセスごとに存在する, サププロセス起動すると親プロセスの環境を引き継ぐ(新しい環境変数)\n * PATHは, プログラム起動の際に プログラムを探索するパスのリスト\n * なので探索リストが相対パスだと (たいてい)意味がない\n\nカレントディレクトリ相対だと, ディレクトリー移動すると PATHは意味を成さないので注意のこと\n\n環境変数 PATH の設定 \n(カレント相対になってる対処も含む)\n\n(pathlib 使ってるけど `os.path` でも可能なはず, 好みで)\n\n```\n\n import os\n from pathlib import Path\n \n npath = os.pathsep.join(str(Path(p).resolve())\n for p in ('../../samples/external/opencv/bin', '../../bin'))\n \n print(os.environ['PATH'])\n os.environ['PATH'] += os.pathsep + npath\n print(os.environ['PATH'])\n \n```\n\n(追記) \n`resolve()` のところは `absolute()` でも OK。 \nカレントからの相対でなければ \n(以下は colabでの確認, なので Windowsとは異なるが)\n\n```\n\n paths = os.pathsep.join(str(Path(p).absolute())\n for p in ('../../samples/external/opencv/bin', '../../bin'))\n print(paths)\n \n # /content/../../samples/external/opencv/bin:/content/../../bin\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T08:07:33.783", "id": "92569", "last_activity_date": "2022-12-05T09:33:54.667", "last_edit_date": "2022-12-05T09:33:54.667", "last_editor_user_id": "43025", "owner_user_id": "43025", "parent_id": "92563", "post_type": "answer", "score": 2 }, { "body": "ディレクトリ&ファイル構成が以前の質問\n[Pythonから.batファイルや.vbsファイルを実行したい](https://ja.stackoverflow.com/q/92500/26370)\nと同じで、Pythonスクリプトとtest.exeが同じディレクトリにあると仮定すると、コメントで紹介したこれらの記事を適用して、以下のように出来るでしょう。 \n[Python のサブプロセスで環境変数を扱う方法](https://hawksnowlog.blogspot.com/2021/06/python-\nsubproces-with-environment-variables.html) \n[Pythonのサブプロセスを使ったメモ](https://qiita.com/bonk/items/d2f5631683e52e1c39e7)\n\n```\n\n from os import path\n import subprocess\n \n import os\n savedir = os.getcwd() #### 起動時のカレントディレクトリ情報を保存し、必要ならば後で戻す。\n #### カレントディレクトリをPythonスクリプトとtest.exeのあるディレクトリに移動する\n os.chdir(os.path.dirname(os.path.abspath(__file__)))\n \n #### 環境変数をコピー(SETLOCALに相当)し、OpenCV等の必要なソフトウェアのディレクトリをPATHに追加する\n subenv = os.environ.copy()\n subenv[\"PATH\"] = subenv['PATH'] + r';..\\..\\samples\\external\\opencv\\bin;..\\..\\bin;'\n \n #exeファイルを実行する部分(コマンドライン引数を呼び出す方法があっているか分かりません。)\n exePath = path.join(path.dirname(__file__), 'test.exe')\n subprocess.Popen([exePath,\"--view_mode=1\"], env=subenv) #### 起動時のパラメータに変更した環境変数を指定\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T09:10:34.433", "id": "92571", "last_activity_date": "2022-12-04T09:10:34.433", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "26370", "parent_id": "92563", "post_type": "answer", "score": 1 }, { "body": "まず、ご指定のバッチファイルは以下とほぼ等価です。\n\n```\n\n from os import environ\n import subprocess\n environ['PATH'] = environ['PATH'] + ';..\\\\..\\\\samples\\\\external\\\\opencv\\\\bin;..\\\\..\\\\bin;'\n result = subprocess.run(['test.exe', '--view_mode=1'], shell=True)\n \n```\n\nご質問の`SET PATH=...`のSETコマンドについては、以下を御覧ください。 \n<https://learn.microsoft.com/ja-jp/windows-server/administration/windows-\ncommands/set_1> \n簡単に言えば環境変数を表示、設定、削除する内部コマンドです。\n\n環境変数については以下を御覧ください。 \n<https://learn.microsoft.com/ja-jp/windows/win32/procthread/environment-\nvariables> \n簡単に言えばシステム共通の方式でアクセスできる各プロセス固有の変数です。\n\nPATHについては、以下に少し記述があります(以下はPATHコマンドの説明ですが、PATH環境変数についての説明が多少あります) \n<https://learn.microsoft.com/ja-jp/windows-server/administration/windows-\ncommands/path> \n簡単に言えば主に実行可能ファイルを検索する場所や順番を指定するものです。\n\n※Windowsの環境変数はcmd.exeの制約や環境変数領域の制約などにより、2048バイトを超えるところで不思議な動作をすることがあります。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T01:53:16.557", "id": "92582", "last_activity_date": "2022-12-05T01:53:16.557", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "54957", "parent_id": "92563", "post_type": "answer", "score": 1 } ]
92563
92571
92564
{ "accepted_answer_id": null, "answer_count": 0, "body": "Chrome拡張機能にnpmモジュールを使用することは可能でしょうか?\n\n使用したいnpmモジュールは下記になります。\n\n * amazon-sp-api\n * aws-sdk\n * qs\n * crypto-js\n * node-fetch\n * axios", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T02:37:52.683", "favorite_count": 0, "id": "92565", "last_activity_date": "2022-12-04T02:37:52.683", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55757", "post_type": "question", "score": 0, "tags": [ "javascript", "npm", "chrome-extension" ], "title": "Chrome拡張機能にnpmモジュールを使用したい", "view_count": 371 }
[]
92565
null
null
{ "accepted_answer_id": "92609", "answer_count": 1, "body": "Spresense、LTE拡張ボード arduinoIDE、#include <LTE.h>を使用しています。 \nSerial.beginをしていなくても拡張ボードからのエラーがSerialから出力されます。 \nエラーをSerialからださないようにする方法はあるでしょうか。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T02:41:02.937", "favorite_count": 0, "id": "92566", "last_activity_date": "2022-12-07T01:17:47.603", "last_edit_date": "2022-12-06T13:06:49.020", "last_editor_user_id": "3060", "owner_user_id": "55650", "post_type": "question", "score": 0, "tags": [ "spresense" ], "title": "Spresense で Serial へのエラー出力を止めたい", "view_count": 107 }
[ { "body": "こんにちは\n\nSpresenseで利用できるシリアルポート `Serial` と `Serial2` の内、 `Serial` はデバッグシリアルになるので、\n`Serial.print()` で明示的に出力させたものだけではなく、各ライブラリでのエラーメッセージ表示用に使われているようです。 \n参照 \n[1.1.2.\nSerial](https://developer.sony.com/develop/spresense/docs/arduino_developer_guide_ja.html#_serial)\n\nもし、デバッグ用の出力をすべて消したい場合は、`Arduino15/packages/SPRESENSE/hardware/spresense/x.x.x/`\n内のすべての `printf` をコメントアウトするなどして消してしまうしかないと思います。 \nもちろん、その場合必要なエラーメッセージまですべて消えてしまうので、問題が起こっても何が起こっているのかわからなくなりますが。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T01:17:47.603", "id": "92609", "last_activity_date": "2022-12-07T01:17:47.603", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "32034", "parent_id": "92566", "post_type": "answer", "score": 0 } ]
92566
92609
92609
{ "accepted_answer_id": null, "answer_count": 3, "body": "pandasでuniqueを使用したいのですが、Dataframeでしか取り出せないためどうすればいいのか分かりません。\n\npandasで読み込んでいるデータ(df)\n\n```\n\n a b\n -0.2 -0.200\n -0.2 -0.195\n -0.2 -0.190\n -0.2 -0.185\n -0.2 -0.180\n \n```\n\n列名に関係なく取り出したいため、`df.iloc[:,[0]]`でデータを取り出しています。この取り出したデータに対して`unique`を使いたいです。 \nしかし、`df.iloc[:,[0]]`の場合、Dataframeでしか取り出せないため、`df.iloc[:,[0]].unique`としたいのですが、`AttributeError:\n'DataFrame' object has no attribute\n'unique'`となり、うまく実行することが出来ません。どうすればいいのでしょうか?", "comment_count": 3, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T03:08:13.100", "favorite_count": 0, "id": "92567", "last_activity_date": "2022-12-05T01:11:57.247", "last_edit_date": "2022-12-04T04:48:16.123", "last_editor_user_id": "40451", "owner_user_id": "40451", "post_type": "question", "score": 0, "tags": [ "python", "pandas" ], "title": "pandasでuniqueを使用したいのですが、Dataframeでしか取り出せないためどうすればいいのか分かりません。", "view_count": 289 }
[ { "body": "カラムから pandas.Series取り出すにはいくつか方法があります\n\n * `df['a']`\n * `df.a`\n * `df[df.columns[0]]`\n * `df.iloc[:, 0])`\n\n`df.iloc[:,[0]]` ではリスト指定なので結果は DataFrame\n\n```\n\n df[df.columns[0]].unique()\n \n # array([-0.2])\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T05:17:14.837", "id": "92568", "last_activity_date": "2022-12-04T05:17:14.837", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "43025", "parent_id": "92567", "post_type": "answer", "score": 1 }, { "body": "御質問が多少分かり難いので的外れかもしれませんが,データフレームの要素からユニークな要素の配列を得る方法を回答します。 \n(追記)`.values` は非推奨なので,`.to_numpy()` に変更しました。\n\n```\n\n import pandas as pd\n import numpy as np\n \n df = pd.DataFrame([[-0.2, -0.200], [-0.2, -0.195],\n [-0.2, -0.190], [-0.2, -0.185],\n [-0.2, -0.180]], columns=['a', 'b'])\n \n u1 = np.unique(df.iloc[:, [0]].to_numpy()) # original example\n u2 = np.unique(df.to_numpy()) # all elements\n \n print(u1); print(u2)\n \n```\n\n```\n\n [-0.2]\n [-0.2 -0.195 -0.19 -0.185 -0.18 ]\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T15:01:52.397", "id": "92574", "last_activity_date": "2022-12-05T01:11:57.247", "last_edit_date": "2022-12-05T01:11:57.247", "last_editor_user_id": "54588", "owner_user_id": "54588", "parent_id": "92567", "post_type": "answer", "score": 1 }, { "body": "`df.iloc[:,0].unique())` とする方がよいかと思うのですが、あくまでも `pandas.DataFrame` 型に拘るのあれば\n`pd.DataFrame.apply()` メソッドを使う方法があります。ただ、この場合は出力も `pandas.DataFrame` 型になります。\n\n```\n\n print(df.iloc[:, [0]].apply(pd.Series.unique))\n print(df.iloc[:, [1]].apply(pd.Series.unique))\n \n # a\n # 0 -0.2\n #\n # b\n # 0 -0.200\n # 1 -0.195\n # 2 -0.190\n # 3 -0.185\n # 4 -0.180\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T15:41:21.753", "id": "92576", "last_activity_date": "2022-12-04T15:41:21.753", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "47127", "parent_id": "92567", "post_type": "answer", "score": 1 } ]
92567
null
92568
{ "accepted_answer_id": "92677", "answer_count": 1, "body": "RustでDIMACS CNF ファイルを読み込みたいです。\n\nRubyで書くと以下のようなコードになるのですがRustだとどう書けばいいでしょうか? \n特に、Rubyのscanに当たる関数が見つかってないです。\n\n```\n\n #Ruby code\n \n def read_dimacs_cnf_file(file_name)\n cnf=[]\n clause=[]\n open(file_name,\"r\").readlines.reject{|line| line=~/^c/ || line=~/^p/}.join().scan(/-?\\d+/).collect{|literal| literal.to_i}.each{|literal|\n if literal==0\n then\n cnf<<clause\n clause=[]\n else\n clause<<literal\n end\n }\n cnf\n end\n \n```\n\n入力例\n\n```\n\n c\n c comment\n c\n p cnf 3 3\n 1 2 0\n 2 -3 0\n 3 0\n \n```\n\n出力例\n\n```\n\n [[1,2],[2,-3],[3]]\n \n```\n\nRustのコードはFileを読み込むところまでしか書けてないです。\n\n```\n\n use std::error::Error;\n use std::fs::File;\n use std::io::prelude::*;\n use std::path::Path;\n \n fn read_dimacs_cnf_file(file_name:&str)->String{\n let path=Path::new(file_name);\n let mut file=match File::open(&path){\n Err(msg) => panic!(\"couldn't open file. {}\",msg),\n Ok(file) => file,\n };\n \n let mut s=String::new();\n match file.read_to_string(&mut s){\n Err(msg) => panic!(\"couldn't read file. {}\",msg),\n Ok(_) => return s,\n };\n }\n \n fn main() {\n println!(\"{}\",read_dimacs_cnf_file(\"test.cnf\"));\n }\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T08:29:51.260", "favorite_count": 0, "id": "92570", "last_activity_date": "2022-12-10T08:13:34.633", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "18637", "post_type": "question", "score": 0, "tags": [ "rust" ], "title": "DIMACS CNF 形式のファイルを読み込みたい", "view_count": 94 }
[ { "body": "> 特に、Rubyのscanに当たる関数が見つかってないです。\n\nRubyの`scan`などで`/-?\\d+/`といった正規表現が使われていますが、Rustの標準ライブラリー(`std`クレート)には正規表現の機能がありません。正規表現を使う場合は、[`regex`クレート](https://crates.io/crates/regex)を使う必要があります。\n\n**Cargo.toml**\n\n```\n\n [dependencies]\n regex = \"1.7.0\"\n \n```\n\n`regex`クレートの`captures_iter`メソッドを使うと、`scan`のようにマッチした部分文字列を取り出すことができます。\n\n```\n\n use std::{\n fs::File,\n io::{prelude::*, BufReader},\n };\n \n use regex::Regex;\n \n fn read_dimacs_cnf_file(file_name: &str) -> Vec<Vec<i32>> {\n let file = File::open(file_name).expect(\"couldn't open file.\");\n let file = BufReader::new(file);\n \n let re = Regex::new(r\"-?\\d+\").unwrap();\n let mut clause = Vec::new();\n let mut cnf = Vec::new();\n \n // 1行ずつ読み込む\n for line in file.lines() {\n let line = line.expect(\"couldn't read file.\");\n \n // c または p で始まる行は無視する\n if line.starts_with(\"c\") || line.starts_with(\"p\") {\n continue;\n }\n \n // 行の中で、マッチした部分文字列を1つずつ処理する\n for token in re.captures_iter(&line) {\n // 部分文字列を整数に変換する\n let literal = token[0].parse::<i32>().expect(\"couldn't parse number.\");\n \n if literal == 0 {\n // 0なら、clauseをcnfに追加して、clauseを空にする\n cnf.push(clause);\n clause = Vec::new();\n } else {\n // 0以外なら、clauseに追加する\n clause.push(literal);\n }\n }\n }\n \n cnf\n }\n \n fn main() {\n println!(\"{:?}\", read_dimacs_cnf_file(\"test.cnf\"));\n }\n \n```\n\nなお、このデーター形式ですと数値が空白文字で区切られていますので、正規表現を使わずに`std`の`str::split_whitespace`メソッドを使うこともできます。以下のように2行書き換えると`regex`クレートが不要になります。\n\n```\n\n // 行の中で、空白文字で区切られた部分文字列を1つずつ処理する\n for token in line.split_whitespace() {\n // 部分文字列を整数に変換する\n let literal = token.trim().parse::<i32>().expect(\"couldn't parse number.\");\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-10T08:13:34.633", "id": "92677", "last_activity_date": "2022-12-10T08:13:34.633", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "14101", "parent_id": "92570", "post_type": "answer", "score": 1 } ]
92570
92677
92677
{ "accepted_answer_id": null, "answer_count": 1, "body": "pandas以外も同様ですが、短く省略することにどのような意味があるんでしょう? \n何行もコードを書いているうちに正式名称を毎回入力するのが面倒になったとかそういう理由なんでしょうか?", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T12:54:30.717", "favorite_count": 0, "id": "92573", "last_activity_date": "2022-12-04T16:30:04.987", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55769", "post_type": "question", "score": 1, "tags": [ "python", "pandas" ], "title": "pandasをpdと略す意味とは?", "view_count": 235 }
[ { "body": "`import <モジュール名> as <別名>` の形式で記述することで、任意の名前でモジュールをインポートできますが、(想像の通り)\n主に長い名前を省略する目的で使用されることが多いかと思います。\n\n\"Pandas\" の省略形がなぜ \"pd\" なのかは、\"Panel Data\" が名前の由来だからだそうです。\n\n[Pandas - Wikipedia (EN)](https://en.wikipedia.org/wiki/Pandas_\\(software\\))\n\n> The name is derived from the term \" **pan** el **da** ta\"", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T16:30:04.987", "id": "92577", "last_activity_date": "2022-12-04T16:30:04.987", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "3060", "parent_id": "92573", "post_type": "answer", "score": 6 } ]
92573
null
92577
{ "accepted_answer_id": "92579", "answer_count": 1, "body": "## 行いたいこと\n\nroot:root のファイルをusr1へファイル所有者、グループを変更したい。\n\n## 現象\n\nwsl2でユーザー名とグループ名を変更するために `sudo chmod usr1:usr1 file` を実行すると`chmod: invalid\nmode: 'usr1:usr1'` エラーで変更できません。\n\n## 行った操作\n\nPowerShell管理者権限で`wsl --install -d Ubuntu`してインストール。\n\n```\n\n PS C:\\Users\\admin> wsl -l -v\n NAME STATE VERSION\n * Ubuntu Running 2\n \n```\n\n以下Ubuntuターミナルにて操作\n\n```\n\n :\n Enter new UNIX username: usr1\n :\n usr1@pc:~$ sudo su -\n root@pc:~# cd ../home/usr1\n root@pc:/home/usr1# echo abc > file\n root@pc:/home/usr1# exit\n \n usr1@pc:~$ ls -l\n -rw-r--r-- 1 root root 4 Dec 4 21:49 file\n \n usr1@pc:~$ sudo chmod 777 file\n usr1@pc:~$ ls -l\n -rwxrwxrwx 1 root root 4 Dec 4 21:49 file\n \n usr1@pc:~$ sudo chmod usr1:usr1 file\n chmod: invalid mode: ‘usr1:usr1’\n Try 'chmod --help' for more information\n \n```\n\nUbuntuをアンインストール、再インストールを何度行っても同じ現象です。 \n間違った操作があるとのではないかと思います。 \nご指摘のほどよろしくお願いいたします。\n\n## 環境\n\nWindows 10 Pro 22H2 \nWindows 11 Home 22H2 \n※ 両方とも同じ現象です。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-04T23:05:24.650", "favorite_count": 0, "id": "92578", "last_activity_date": "2022-12-05T00:06:32.943", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "19605", "post_type": "question", "score": 0, "tags": [ "ubuntu", "windows-10", "wsl-2" ], "title": "wsl2で chmod usr1:usr1 file で invalid mode: 'usr1:usr1' エラーで変更できません", "view_count": 67 }
[ { "body": "ファイルの所有者を変更するには\n[`chown`](https://manpages.ubuntu.com/manpages/xenial/ja/man1/chown.1.html)\nコマンドを使用してください。 \n([`chmod`](https://manpages.ubuntu.com/manpages/xenial/ja/man1/chmod.1.html)\nはファイルの権限 = パーミッションを変更するコマンドです)\n\n> ### 名前\n>\n> chown - ファイルの所有者とグループを変更する\n>\n> ### 書式\n```\n\n> chown [OPTION]... [OWNER][:[GROUP]] FILE...\n> \n```", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T00:06:32.943", "id": "92579", "last_activity_date": "2022-12-05T00:06:32.943", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "3060", "parent_id": "92578", "post_type": "answer", "score": 1 } ]
92578
92579
92579
{ "accepted_answer_id": "92583", "answer_count": 2, "body": "MySQL5.7において、CHARとVARCHARをどのように使い分ければよいのでしょうか? \n下記のような理解をしていたのですが、固定長の文字列もVARCHARに入れてすべてVARCHARでもよいのでしょうか?\n\n * CHARは固定長のため、固定長の文字列を格納する\n * VARCHARは可変長のため、固定長ではない文字列を格納する", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T00:52:56.100", "favorite_count": 0, "id": "92580", "last_activity_date": "2022-12-07T12:53:29.780", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "19297", "post_type": "question", "score": 1, "tags": [ "mysql", "database" ], "title": "MySQLにおけるCHARとVARCHARの使い分け", "view_count": 410 }
[ { "body": "mysql5.7におけるvarcharとcharの違いは以下のとおりです。 \n<https://dev.mysql.com/doc/refman/5.7/en/char.html>\n\n> trailing spaces are removed from CHAR columns upon retrieval.\n\nとあるとおり、以下のような違いがあります。\n\n```\n\n create table example(a varchar(10), b char(10));\n insert into example values('A', 'B');\n insert into example values(' A', ' B');\n insert into example values('A ', 'B ');\n select a, length(a), b, length(b) from example;\n \n```\n\n```\n\n +------------+-----------+------------+-----------+\n | a | length(a) | b | length(b) |\n +------------+-----------+------------+-----------+\n | A | 1 | B | 1 |\n | A | 10 | B | 10 |\n | A | 10 | B | 1 |\n +------------+-----------+------------+-----------+\n \n```\n\n末尾空白でない固定長データを扱う場合はcharでいいと思いますが、varcharでも長さ情報を含められる容量的な余裕があれば(ほぼ)同じです。\n\n#### 余談\n\n個人的な感覚で言えば、(汎用機など)外から来る固定長のデータ以外は慣習的にvarchar(oracleならvarchar2)にしてる気がします。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T02:42:02.680", "id": "92583", "last_activity_date": "2022-12-05T02:42:02.680", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "54957", "parent_id": "92580", "post_type": "answer", "score": 1 }, { "body": "固定長文字列だからといってchar(100)だったら必ず100文字の文字列しか保存できない、というわけではありません。\n\n固定長文字列と可変長文字列の「固定」と「可変」は文字列そのものではなくデータ量だと思ってください。\n\nchar(100)とvarchar(100)はいずれも100文字までの文字列を保存できますが、前者は格納しているのが0文字だろうと100文字だろうと100文字分の記憶領域を消費します。一方後者は実際に保存している文字数に応じて消費が増減します。\n\n固定長文字列の場合、指定した文字数より実際に格納した文字列が短い場合は慣例的に後ろがスペースで埋められます。挿入した文字列末尾にスペースが含まれていた場合それがデータなのかパディングなのか区別がつかなくなります。固定長文字列で「後続スペースが無視される」のはいわば副作用です。\n\nなおRDBMSによっては(MYSQLの場合 PAD_CHAR_TO_FULL_LENGTH\nSQLモードを設定した場合)、データを取り出すときにパディングを含めて取り出すことができます。昔のキャラクタベースの画面などデータが一定長であることが都合のいいアプリケーションには便利だったと思います。\n\nあとMYSQL特有の問題としてutf8/utf8mb4(のような可変長エンコーディングの文字コード)を使うと無駄が大きくなります。MYSQLのutf8は1文字を1~3バイト、utf8mb4は1~4バイトで表現しますが、文字列が確定しないとデータ長が確定しません。でも固定長文字列はあらかじめ記憶領域が確定する必要があるので、1文字3バイトまたは4バイトで決め打ちする仕様です。そこで実際に投入されるデータがASCII文字だけだとスペース効率が1/3とか1/4になってしまいます。\n\n固定長文字列は\n\n * データ量が確定するので記憶領域の見積もりがしやすくなる\n * 更新時確実にその場でデータが上書きできる(可変長の場合、元より長いデータに更新しようとすると余計な処理が必要)\n\nという利点があります。が、大昔のシステムならともかく今時の環境ではメリットとは言いがたくなっています。よっぽどのことがない限り可変長文字列を使った方がいいでしょう。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T12:53:29.780", "id": "92625", "last_activity_date": "2022-12-07T12:53:29.780", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "5793", "parent_id": "92580", "post_type": "answer", "score": 4 } ]
92580
92583
92625
{ "accepted_answer_id": "93542", "answer_count": 1, "body": "PlantUML のダイアグラム付きの資料を作成する際、 VSCode の Markdown Preview Enhanced が便利なので使っています。\n\nこのプラグインは、プレビューを右クリックすることで表示されるメニューから `HTML` を選択していくことで、 html ファイルとしてプレビューを\nexport することができます。\n\n今、例えばこの資料を github 管理などする際に、 CI で html ファイルを自動で生成できると便利です。\n\n# 質問\n\nVSCode の [Markdown Preview Enhanced](https://github.com/shd101wyy/vscode-\nmarkdown-preview-enhanced) のプラグインでマークダウンの資料を作成しているとき、それの html\n変換をコマンドラインから実行したいです。これは、可能でしょうか?", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T01:29:07.860", "favorite_count": 0, "id": "92581", "last_activity_date": "2023-01-24T07:30:57.620", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "754", "post_type": "question", "score": 1, "tags": [ "vscode", "markdown" ], "title": "VSCode の 「Markdown Preview Enhanced」の html 変換をコマンドラインから実行したい", "view_count": 478 }
[ { "body": "@kunif さんに紹介いただいた、 [mume\nのライブラリ](https://github.com/shd101wyy/mume)を用いることで、やりたいことが実現できました。 \nその際に利用したスクリプト(ほぼ README のコピペで、かつ html ではなく pdf 変換をしましたが)を貼っておきます。\n\n```\n\n #!/usr/bin/env node\n \n // md-to-pdf.mjs\n \n // es6\n import * as mume from \"@shd101wyy/mume\"\n \n async function main() {\n // const configPath = path.resolve(os.tmpdir(), \".mume\");\n //\n // // if no configPath is specified, the default is \"~/.config/mume\"\n // // but only if the old location (~/.mume) does not exist\n // await mume.init(configPath);\n \n const engine = new mume.MarkdownEngine({\n filePath: process.argv[2],\n config: {\n // configPath: configPath,\n previewTheme: \"github-light.css\",\n // revealjsTheme: \"white.css\"\n codeBlockTheme: \"default.css\",\n printBackground: true,\n enableScriptExecution: true, // <= for running code chunks\n },\n });\n \n // // open in browser\n // await engine.openInBrowser({ runAllCodeChunks: true });\n //\n // // html export\n // await engine.htmlExport({ offline: false, runAllCodeChunks: true });\n //\n \n // chrome (puppeteer) export\n await engine.chromeExport({ fileType: \"pdf\", runAllCodeChunks: true }); // fileType = 'pdf'|'png'|'jpeg'\n \n // // prince export\n // await engine.princeExport({ runAllCodeChunks: true });\n \n // // ebook export\n // await engine.eBookExport({ fileType: \"epub\" }); // fileType = 'epub'|'pdf'|'mobi'|'html'\n //\n // // pandoc export\n // await engine.pandocExport({ runAllCodeChunks: true });\n //\n // // markdown(gfm) export\n // await engine.markdownExport({ runAllCodeChunks: true });\n \n return process.exit();\n }\n \n main();\n \n```\n\n利用方法:\n\n```\n\n $ path/to/md-to-pdf.mjs hogehoge.md\n # => hogehoge.pdf が出力される\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2023-01-24T07:30:57.620", "id": "93542", "last_activity_date": "2023-01-24T07:30:57.620", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "754", "parent_id": "92581", "post_type": "answer", "score": 1 } ]
92581
93542
93542
{ "accepted_answer_id": null, "answer_count": 0, "body": "現在XAMPPのApacheとMySQLを使って開発しています。Apache自体は問題なく使えているのですが、時々MySQLがstartできなくなる現象が発生し、解決したいので知恵をお貸しください。ちなみにMySQLの設定自体はデフォルトから何も変えていません。\n\n**一回目壊れた時**\n\nエラーに関して:XAMPPのコントロールパネル上で「 [mysql] Error: MySQL shutdown\nunexpectedly.」のように表示されました。mysql_error.logには特にエラーが吐かれていない様子です。ただ、windowsのイベントビューアで警告として「InnoDB:\nA long semaphore wait:」と出た後、エラーとして「[FATAL] InnoDB: Semaphore wait has lasted >\n600 seconds. We intentionally crash the server because it appears to be\nhung.」と出ております。(その後もたくさんの警告とエラーがでています)\n\n復旧方法:XAMPPを再度インストールし直しました。その際、退避しておいたXampp>mysql>data配下のibdata1というファイルを再インストール先にコピーし、予めphpmyadminでエクスポートしておいたsqlファイルをインポートしたところ、MySQLもstartできるし、DBのデータ自体も復元できました。\n\n**二回目壊れた時**\n\nエラーに関して:windowsのイベントビューアにて警告として「Neither --relay-log nor --relay-log-index were\nused; so replication may break when this MariaDB server acts as a replica and\nhas its hostname changed. Please use '--log-basename=#' or '--relay-log=mysql-\nrelay-bin' to avoid this problem.」が出た後、エラーとして「Slave I/O: Fatal error: Invalid\n(empty) username when attempting to connect to the master server. Connection\nattempt terminated. Internal MariaDB error code:\n1593」が出ております。一回目と同様XAMPPのコントロールパネル上ではエラーが出ましたが、mysql_error.logには特にエラーが吐かれていない様子です。\n\n復旧方法:下記の記事を参考に復旧しました。その時はMySQLをstartできました。\n\n<https://y-a-d.hatenablog.jp/entry/2020/01/28/183000>\n\n**現在の状況**\n\nエラーに関して:windowsのイベントビューアにて警告として「Failed to load slave replication state from\ntable mysql.gtid_slave_pos: 1932: Table 'mysql.gtid_slave_pos' doesn't exist\nin engine」、エラーとして「InnoDB: Table `mysql`.`innodb_table_stats` not\nfound.」が出ておりました。それ以外は前回の時と同様です。\n\n復旧方法:まだ試しておりません。\n\n**環境に関して**\n\nOS:Windows 11 \nXAMPP version:8.1.12 \nXAMPP Control Panel version:3.3.0 \nMariaDB:10.4.27 \nphpMyAdmin:5.2.0\n\nどなたかこの現象を回避する方法、または原因をご存じでしょうか。初学者のため至らぬ点はご容赦ください。足りない情報がありましたらその旨教えてください。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T02:42:22.027", "favorite_count": 0, "id": "92584", "last_activity_date": "2022-12-05T02:42:22.027", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "54288", "post_type": "question", "score": 1, "tags": [ "mysql", "xampp", "mariadb" ], "title": "XAMPPのMySQLがstartできなくなる問題の解決方法", "view_count": 311 }
[]
92584
null
null
{ "accepted_answer_id": null, "answer_count": 1, "body": "表題のとおり、複数のActivityでgetSystemServiceを使用し、同じシステムサービスのインスタンスを取得したいです。 \nAndroid\nDevelopersサイトの[getSystemService](https://developer.android.com/reference/android/content/Context#getSystemService\\(java.lang.String\\))を確認すると以下のような記載があります。\n\n> Note: System services obtained via this API may be closely associated with\n> the Context in which they are obtained from. In general, do not share the\n> service objects between various different contexts (Activities,\n> Applications, Services, Providers, etc.)\n\n上記の記載について意味を理解できておらず、現状は以下のどちらかの方法で実装を行えば良いのではと思っています。\n\n * シングルトンクラスを作成し、その中でアプリケーションのContextを使用してシステムサービスのインスタンスを取得し、各Activityで使用する\n * ActivityごとにActivityのコンテキストを使用してシステムサービスのインスタンスを取得し使用する\n\nシステムサービスの正しい使用方法をご存知でしたらご教示頂けますと幸いです。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T05:27:23.857", "favorite_count": 0, "id": "92586", "last_activity_date": "2023-09-03T01:07:29.650", "last_edit_date": "2022-12-05T07:02:28.810", "last_editor_user_id": "55784", "owner_user_id": "55784", "post_type": "question", "score": 0, "tags": [ "android" ], "title": "複数のActivityでgetSystemServiceによりシステムサービスを利用するためのインスタンスを取得する方法", "view_count": 144 }
[ { "body": "static化とか…? \n無理くり動的にしてしまうとかで呼び出せば良いかなとか。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2023-09-03T01:07:29.650", "id": "96107", "last_activity_date": "2023-09-03T01:07:29.650", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "59651", "parent_id": "92586", "post_type": "answer", "score": 0 } ]
92586
null
96107
{ "accepted_answer_id": null, "answer_count": 1, "body": "こんにちは。\n\n業務でJavaのインターフェースを設計しているのですが、 \nどのような処理にすればよいかわからない点があり、ご質問させていただきます。 \n設計しているのはテーブルからレコードを取得してきて、出力編集して画面に返却するようなインターフェースになります。 \njava8、db2を使用しています。\n\n○処理概要について \n下記のような点数テーブルがあるとして\n\n名前 | 年月 | 学期 | 国語 | 数学 | 英語 \n---|---|---|---|---|--- \n山田 | 202204 | 1 | 60 | 43 | 72 \n山田 | 202205 | 1 | 63 | 52 | 68 \n山田 | 202206 | 1 | 64 | 56 | 64 \n山田 | 202209 | 2 | 63 | 53 | 72 \n山田 | 202210 | 2 | 67 | 59 | 64 \n山田 | 202211 | 2 | 59 | 62 | 63 \n~ | ~ | ~ | ~ | ~ | ~\n\n```\n\n select 学期, avg(国語), avg(数学), avg(英語) from 点数 where 名前='山田' group by 年月\n \n``` \n \nというsqlで返ってきた値をこのようなマップのリスト型に格納します。\n\n```\n\n result=[{学期:xx,国語:□□,数学:△△,英語:☆☆},{〃},.]\n \n```\n\n現在は学期別に集計されていますが、 \n画面では下記のようなテーブル形式で表示させたいです。 \n画面に出力するためにインターフェースから返す値も、マップのリスト型になります。\n\n```\n\n [{科目:国語,1学期:○○,2学期:××,3学期:△△},{〃},...]\n \n```\n\n山田さんの点数:\n\n科目 | 1学期 | 2学期 | 3学期 \n---|---|---|--- \n国語 | 62.3 | 63 | ○○ \n数学 | 50.3 | 58 | ×× \n英語 | 68 | 66 | △△ \n \n行と列が入れ替わるようなイメージでしょうか。 \n制約として、科目別に集計するテーブルの追加は不可能で、現状の点数テーブルの形式から取得してくる必要があります。 \nですので、sqlかjavaのロジックで行列の入れ替えを実現する必要があると考えています。\n\nsqlの場合は下のようなものを科目分unionすれば実現できそうですが、unionの回数がとても多くなり、パフォーマンスの面で不安があります。 \n(実際は科目にあたる項目が100個ほどあります…)\n\n```\n\n select '国語' as 科目\n max(CASE WHEN 学期 = '1' THEN 国語 END) AS 1学期,\n max(CASE WHEN 学期 = '2' THEN 国語 END) AS 2学期,\n max(CASE WHEN 学期 = '3' THEN 国語 END) AS 3学期\n from 点数 \n where 名前='山田'\n group by 学期;\n \n```\n\njavaで実現する場合は、できればループ処理で出力させたいのですが、 \n恥ずかしながら処理の方針が浮かんでおりません…\n\n何か良いやり方があればご教示いただけますでしょうか。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T06:31:17.717", "favorite_count": 0, "id": "92587", "last_activity_date": "2022-12-07T02:40:21.950", "last_edit_date": "2022-12-05T06:50:42.650", "last_editor_user_id": "3054", "owner_user_id": "55781", "post_type": "question", "score": 0, "tags": [ "java", "sql", "アルゴリズム", "db2" ], "title": "Javaでテーブルでの集計方法と画面に表示する集計方法が異なる場合の処理", "view_count": 299 }
[ { "body": "キーが2次元(科目, 学期)であるならば、その組で引けるようなデータ構造にすれば良いかと考えます。\n\n以下の例はMapのMap `{学期: {科目: 平均値}}` で実装した例です。 \nこの例のデータ構造では、後述の通り、 `averages.get(t).get(s)` という 学期`t` と 科目`s`\nを引数にとって平均値を返すインタフェースを提供していることになります。\n\nDBから取得した直後:\n\n```\n\n var queryResultList = List.of(\n Map.of(\"学期\", 1, \"国語\", 62.33, \"数学\", 50.33, \"英語\", 68.0),\n Map.of(\"学期\", 2, \"国語\", 63.0, \"数学\", 58.0, \"英語\", 66.33)\n );\n \n```\n\n`{学期: {科目: 平均値}}` となるようなMapに変換:\n\n```\n\n var averages = queryResultList.stream().collect(Collectors.toMap(\n e -> {\n var termValue = e.get(\"学期\").intValue();\n return Term.from(termValue);\n },\n e -> {\n var qrMap = new HashMap<>(e);\n qrMap.remove(\"学期\");\n \n return qrMap.entrySet().stream().collect(Collectors.toMap(\n f -> Subject.from(f.getKey()),\n f -> f.getValue().doubleValue()\n ));\n }\n ));\n \n```\n\n出力例:\n\n```\n\n for (Subject s : Subject.values()) {\n for (Term t : Term.values()) {\n var avg = averages.get(t).get(s);\n System.out.printf(\"%.2f\\t\", avg);\n }\n System.out.println();\n }\n \n```\n\n科目ループと学期ループの内外を入れ替えれば転置します:\n\n```\n\n for (Term t : Term.values()) {\n for (Subject s : Subject.values()) {\n var avg = averages.get(t).get(s);\n System.out.printf(\"%.2f\\t\", avg);\n }\n System.out.println();\n }\n \n```\n\n[サンプル実装](https://github.com/yukihane/stackoverflow-qa/tree/main/jaso92587)", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-06T21:48:04.250", "id": "92608", "last_activity_date": "2022-12-07T02:40:21.950", "last_edit_date": "2022-12-07T02:40:21.950", "last_editor_user_id": "2808", "owner_user_id": "2808", "parent_id": "92587", "post_type": "answer", "score": 1 } ]
92587
null
92608
{ "accepted_answer_id": "92606", "answer_count": 1, "body": "[React-datepicker](https://reactdatepicker.com/)を使用して年月のみのカレンダーを実装中です。 \n月の部分が1月ならJan、2月ならFebというように表示されてしまっているのですが、月の部分を英語ではなく数字表記にしたいです。 \nどなたか方法をご存知でしたら教えていただきたいです。\n\n[![画像の説明をここに入力](https://i.stack.imgur.com/C8C6U.png)](https://i.stack.imgur.com/C8C6U.png)", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T07:38:50.427", "favorite_count": 0, "id": "92588", "last_activity_date": "2022-12-06T18:25:59.953", "last_edit_date": "2022-12-05T09:28:48.940", "last_editor_user_id": "3060", "owner_user_id": "30328", "post_type": "question", "score": 0, "tags": [ "reactjs" ], "title": "React の datepicker で月の選択画面で数字表記にするには?", "view_count": 254 }
[ { "body": "同じ質問が次にありました。\n\n * [Change locale in react-datepicker - Stack Overflow](https://stackoverflow.com/a/54399915/4506703)\n\nこれに従って実装すると次のようになるかと思います:\n\n```\n\n import React, { useState } from \"react\";\n \n import \"react-datepicker/dist/react-datepicker.css\";\n import DatePicker, { registerLocale } from \"react-datepicker\";\n import ja from \"date-fns/locale/ja\"; // register it with the name you want\n \n registerLocale(\"ja\", ja);\n \n const App = () => {\n const [startDate, setStartDate] = useState(new Date());\n return (\n <DatePicker\n locale=\"ja\"\n selected={startDate}\n onChange={(date) => setStartDate(date)}\n dateFormat=\"yyyy/MM\"\n showMonthYearPicker\n />\n );\n };\n \n export default App;\n \n```\n\n[コードサンプル](https://codesandbox.io/s/react-playground-forked-\nhft4jf?file=/App.js)", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-06T18:25:59.953", "id": "92606", "last_activity_date": "2022-12-06T18:25:59.953", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "2808", "parent_id": "92588", "post_type": "answer", "score": 1 } ]
92588
92606
92606
{ "accepted_answer_id": "92602", "answer_count": 1, "body": "↓のようにv-modelで取得したusernameをconst data内にセットしてAPI呼びたいのですが、 \nリクエスト投げたタイミングで渡した内容確認してもconst data内のusernameが空のままです。 \nどうすればconst data内のusernameに値を設定できるのでしょうか? \n※API呼び出せるまでは確認済です。\n\n```\n\n <body>\n <div id=\"app\">\n <input type=\"text\" id=\"username\" v-model=\"username\" autocomplete=\"off\" placeholder=\"Enter username\">\n <button :class=\"btnClass\" @click=\"loginauth\">ログイン</button>\n </div>\n <script>\n \n \n const { createApp, ref } = Vue;\n createApp({\n setup() {\n const username = ref('');\n \n const data = {\n 'username': username.value\n };\n \n const config = {\n headers:{\n 'Content-Type': 'application/json; charset=utf-8',\n 'X-CSRF-TOKEN': 'ZZZZZZ'\n }\n };\n \n const loginauth = () => {\n axios.post('/test', data, config)\n .then(function (response) {\n console.log(response);\n })\n .catch(function (error) {\n console.log(error);\n });\n };\n \n return {\n username,\n loginauth\n };\n }\n }).mount('#app');\n \n </script>\n </body>\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T09:10:59.380", "favorite_count": 0, "id": "92589", "last_activity_date": "2022-12-06T11:52:46.647", "last_edit_date": "2022-12-05T09:17:23.217", "last_editor_user_id": "55146", "owner_user_id": "55146", "post_type": "question", "score": 0, "tags": [ "vue.js" ], "title": "vue.js3 v-modelで入力フォームから取得した値が変数に入ってない", "view_count": 49 }
[ { "body": "`setup`内で`username.value`を取得されていますが、この時点で生の値を取得してしまっています。(refのvalueはリアクティブではありません)\n\nReact hooksのライフサイクルとは異なり、Composition\nAPIのsetupはコンポーネント作成時に実行されるのでこれではその値が変わることはありません。\n\n期待する挙動を実現するには、例えば\n\n```\n\n const loginauth = () => {\n const data = {\n 'username': username.value\n }\n \n axios.post('/test', data, config)\n .then(function (response) {\n console.log(response);\n })\n \n```\n\nのように必要な時点で値を取り出すなどがあります。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-06T11:52:46.647", "id": "92602", "last_activity_date": "2022-12-06T11:52:46.647", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "2376", "parent_id": "92589", "post_type": "answer", "score": 0 } ]
92589
92602
92602
{ "accepted_answer_id": null, "answer_count": 0, "body": "<https://github.com/mrdoob/three.js/tree/master/examples> \n↑のファイル内のHTMLファイルのサンプルをコピーして、自分のgithub上で動かしたいのですが、上手くいきません。Three.jsのドキュメントにて、VRコンテンツの作成方法の例として記載されていたwebxr_vr_(略).htmlを動かしたいです。 \nmain.cssもコピーしています。\n\n```\n\n <div id=\"info\">\n <a href=\"https://threejs.org\" target=\"_blank\" rel=\"noopener\">three.js</a>\n </div>\n \n```\n\nコード内にある上記のリンクだけWeb上に表示されており、あとは画面真っ暗の状態です。 \nどうすれば、自分のgithubのWebサイトで表示できますか?", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T10:56:49.300", "favorite_count": 0, "id": "92590", "last_activity_date": "2022-12-05T10:56:49.300", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55529", "post_type": "question", "score": 0, "tags": [ "html", "three.js" ], "title": "Three.jsのVRコンテンツのサンプルコードを動かしたい", "view_count": 40 }
[]
92590
null
null
{ "accepted_answer_id": null, "answer_count": 2, "body": "Windows 10でNeovim (nvim-qt.exe)を実行し、`:Tutor`でチュートリアルを読んでいます。 \nバージョンは0.8.1です。\n\n`:!ls`を実行する指示があったので実行したところ、結果が以下のように文字化けします。\n\n```\n\n 'ls' <82> A<93> ...(以下続く)\n \n```\n\nおそらく、コマンドプロンプト上で`ls`を実行したときの、\n\n```\n\n 'ls' は、内部コマンドまたは外部コマンド、\n 操作可能なプログラムまたはバッチ ファイルとして認識されていません。\n \n```\n\nがshift-jisでない文字コードで表示されたのだろうと予想してます。 \n(`:!dir`でも、日本語だったであろう部分が化けることは変わりありませんでした。)\n\n質問は2点あって、\n\n 1. 文字が正しく表示されるための方法はありますか?\n 2. `:!`によるコマンドがcmdでなくpwshで実行されるようにする方法はありますか?\n\nです。", "comment_count": 7, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T15:10:14.840", "favorite_count": 0, "id": "92591", "last_activity_date": "2022-12-07T01:45:07.563", "last_edit_date": "2022-12-06T17:01:25.310", "last_editor_user_id": "3060", "owner_user_id": "52341", "post_type": "question", "score": 1, "tags": [ "windows", "vim", "neovim" ], "title": "Windows の Neovim で外部コマンドの結果が文字化けする", "view_count": 455 }
[ { "body": "部分回答、かつ実際に試したわけではありませんが、外部コマンドとして cmd の代わりに PowerShell\nを呼び出す方法については、以下のような方法が紹介されていました。\n\n`pwsh.exe` (PowerShell Core) を呼び出すには `set shell=pwsh` に置き換えれば良さそうです。\n\n[How do I make neovim use Powershell for external\ncommands?](https://www.reddit.com/r/neovim/comments/vpnhrl/how_do_i_make_neovim_use_powershell_for_external/)\n\n> You can paste these lines to your vimrc (vim: `C:\\Users\\<username>\\_vimrc`,\n> neovim: `C:\\Users\\<username>\\AppData\\Local\\nvim\\init.vim`) to make the\n> change permanent. (Reopen vim to apply it)\n```\n\n> set shell=powershell\n> set shellcmdflag=-command\n> set shellquote=\\\"\n> set shellxquote=\n> \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T16:23:10.277", "id": "92592", "last_activity_date": "2022-12-05T16:23:10.277", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "3060", "parent_id": "92591", "post_type": "answer", "score": 0 }, { "body": "> :!によるコマンドがcmdでなくpwshで実行されるようにする方法はありますか? \n> です。\n\nneovimの変数shellにpowershellやpowershellのパス名を設定してみましたが、シェルをpowershellに変えることができませんでした。 \n※この方法がだめという意図はありません。私がやってみてダメだったというだけです。\n\nどうしてもpowershellのコマンドを実行したい場合は\n\n```\n\n :!powershell pwd\n \n```\n\nのようにpowershellと実行するコマンドを指定すればよいようです。\n\n[![](https://i.stack.imgur.com/qNowV.png)](https://i.stack.imgur.com/qNowV.png)", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-06T13:30:06.433", "id": "92604", "last_activity_date": "2022-12-07T01:45:07.563", "last_edit_date": "2022-12-07T01:45:07.563", "last_editor_user_id": "3060", "owner_user_id": "35558", "parent_id": "92591", "post_type": "answer", "score": -1 } ]
92591
null
92592
{ "accepted_answer_id": "92597", "answer_count": 1, "body": "Google Apps ScriptでVue3でテストアプリを作成しています。\n\nクライアント側Javascriptでいろいろ試していますが、二次元配列がObject型?になるのか、v-forで回せません。どのように渡すと良いのでしょうか? \nベタ打ちの配列を返すと動作するので、CDN等の設定は問題ないとしてアドバイスをいただければと思います。\n\njavascript.html\n\n```\n\n <script>\n function initializeVue(values){\n \n const app = {\n data(){\n return {\n lists: values\n }\n }\n }\n \n Vue.createApp(app).mount(‘#app’)\n \n }\n \n google.script.run.withSuccessHandler(initializeVue).getSpreadsheetValues();\n \n </script>\n \n```\n\ncode.gs\n\n```\n\n function getSpreadsheetValues()\n {\n return SpreadsheetApp.getActiveSpreadsheet().getDataRange().getValues();\n }\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T23:27:59.583", "favorite_count": 0, "id": "92595", "last_activity_date": "2022-12-06T01:23:23.650", "last_edit_date": "2022-12-06T00:12:32.513", "last_editor_user_id": "3060", "owner_user_id": "44556", "post_type": "question", "score": 1, "tags": [ "javascript", "google-apps-script", "vue.js" ], "title": "Vue3に二次元配列を渡す方法", "view_count": 158 }
[ { "body": "`クライアント側Javascriptでいろいろ試していますが、二次元配列がObject型?になるのか、v-forで回せません。`、`ベタ打ちの配列を返すと動作する`のような状況から、`SpreadsheetApp.getActiveSpreadsheet().getDataRange().getValues()`の値にDate\nobjectが含まれている可能性を考えました。この場合、`withSuccessHandler`で返された`values`は`null`になってしまいます。これは今のところ仕様のようです。[Ref](https://developers.google.com/apps-\nscript/guides/html/communication#parameters_and_return_values)\n\nそこで、次のような変更はいかがでしょうか。この変更では、`getSpreadsheetValues()`を下記のように変更してください。[`getDisplayValues()`](https://developers.google.com/apps-\nscript/reference/spreadsheet/range#getdisplayvalues)はセルの値をそのまま文字列として返します。\n\n#### From:\n\n```\n\n return SpreadsheetApp.getActiveSpreadsheet().getDataRange().getValues();\n \n```\n\n#### To:\n\n```\n\n return SpreadsheetApp.getActiveSpreadsheet().getDataRange().getDisplayValues();\n \n```\n\n### Note:\n\n * もしも、スプレッドシートから取得した値のDate objectをJavascript側でもDate objectとして使用したい場合は、Google Apps Script側で一度文字列あるいはUnix timeに変更した後、Javascript側でDate objectに戻す操作が必要になるかと思われます。", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-06T01:23:23.650", "id": "92597", "last_activity_date": "2022-12-06T01:23:23.650", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "19460", "parent_id": "92595", "post_type": "answer", "score": 0 } ]
92595
92597
92597
{ "accepted_answer_id": null, "answer_count": 0, "body": "### 実装したい機能\n\nGoogleKeepで作成したメモの一覧と、その内容を取得する機能を実装したいと考えています。\n\n### 現状\n\nGoogleKeepApiを使用しメモの一覧を取得しようとしていますが、空のリストが帰ってくる状態です。\n\n### 開発環境等\n\n * IDE:Eclipse Neon.3 Release (4.6.3)\n * 言語:Java\n * jdk:jdk1.8.0_191\n\n### GoogleCloud側の設定\n\n * GoogleKeepApi:有効化済み\n * OAuth同意画面:作成済み\n * サービスアカウント:作成済み\n\n### 現状の実装\n\n```\n\n private static final String APPLICATION_NAME = \"**********\";\n private static final JsonFactory JSON_FACTORY = JacksonFactory.getDefaultInstance();\n private static final List<String> SCOPES = Collections.singletonList(KeepScopes.KEEP);\n \n private GoogleCredentials getCredentials(final NetHttpTransport HTTP_TRANSPORT, String temple_code) throws IOException {\n \n String gredentials_file_path = \"********************\" + \"/credentials.json\";\n \n // Load client secrets.\n AmazonUtil amazon = new AmazonUtil(configuration);\n AmazonS3 amazonS3Client = amazon.createAmazonS3();\n S3Object s3Obj = amazon.downLoadS3Object(amazonS3Client, gredentials_file_path);\n \n InputStream in = s3Obj.getObjectContent();\n GoogleCredentials googleCredentials = GoogleCredentials.fromStream(in).createScoped(SCOPES);\n \n return googleCredentials;\n }\n \n public void loadDocuments(String temple_code) throws GeneralSecurityException, IOException, ErrorCheckException {\n \n final NetHttpTransport HTTP_TRANSPORT = GoogleNetHttpTransport.newTrustedTransport();\n \n GoogleCredentials credential = getCredentials(HTTP_TRANSPORT, temple_code);\n Keep service = new Keep.Builder(HTTP_TRANSPORT, JSON_FACTORY, new HttpCredentialsAdapter(credential))\n .setApplicationName(APPLICATION_NAME)\n .build();\n \n Notes notes = service.notes();\n System.out.println(notes);\n \n Keep.Notes.List notes_list = notes.list();\n System.out.println(notes_list);\n \n ListNotesResponse response = notes_list.execute();\n System.out.println(response);\n }\n \n```\n\n### 出力\n\n> com.google.api.services.keep.v1.Keep$Notes@6384c9de \n> GenericData{classInfo=[$.xgafv, access_token, alt, callback, fields, \n> filter, key, oauth_token, pageSize, pageToken, prettyPrint, quotaUser, \n> uploadType, upload_protocol], {}} \n> {}", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-05T23:29:38.837", "favorite_count": 0, "id": "92596", "last_activity_date": "2022-12-05T23:29:38.837", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "7384", "post_type": "question", "score": 0, "tags": [ "java", "google-api" ], "title": "GoogleKeepApiを使用し、Keepで作成したメモの一覧が取得できない", "view_count": 51 }
[]
92596
null
null
{ "accepted_answer_id": null, "answer_count": 1, "body": "kbn、nameはカラム名なんですが、 `|| name`\nの部分が文字列として認識されテーブルのカラム名として認識してほしいのですが、どのように記述すればよいのでしょうか?\n\nSQL文\n\n```\n\n select \n case when kbn = '1' then '1' || name \n else '2' \n end username \n from user;\n \n```\n\nCakePHP\n\n```\n\n $username = $query->newExpr()->addCase(\n [$subquery->newExpr()->add(['kbn' => '1')],\n [\"'1' || name\" ,new IdentifierExpression('2')],\n ['string', 'string']\n );\n \n```", "comment_count": 3, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-06T07:13:27.370", "favorite_count": 0, "id": "92600", "last_activity_date": "2022-12-12T05:13:06.683", "last_edit_date": "2022-12-07T00:06:42.750", "last_editor_user_id": "55476", "owner_user_id": "55476", "post_type": "question", "score": 0, "tags": [ "cakephp" ], "title": "CakePHPのSQLのCase文でカラム名の追加方法", "view_count": 219 }
[ { "body": "'1', '2' となっている部分が外部入力値でなければ、newExprでSQLをそのまま書いてよいと思います。 \n(SQLインジェクションが発生しない前提)\n\n```\n\n $expr = $query->newExpr(\"case when kbn = '1' then '1' || name else '2' end\");\n $query->select(['username' => $expr]);\n \n```\n\n外部入力の可能性があるなら、SQLインジェクションを考慮して値をバインドするようにメソッドで組立てます。\n\n```\n\n $expr = $query->newExpr()->addCase(\n $query->newExpr()->eq('kbn', '1'),\n [\n $query->func()->concat(['1', $query->identifier('name')]),\n '2',\n ],\n ['string', 'string']\n );\n $query->select(['username' => $expr]);\n \n```\n\n`IdentifierExpression` は、テーブルのフィールド名などの識別子を指定する時に使用します。 \n`$query->identifier('field_name')` は、 `new IdentifierExpression('field_name')`\nのシノニムになります。\n\n[式の中で識別子を使用する | クエリービルダー - 4.x](https://book.cakephp.org/4/ja/orm/query-\nbuilder.html#id12)", "comment_count": 5, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T03:35:02.730", "id": "92613", "last_activity_date": "2022-12-12T05:13:06.683", "last_edit_date": "2022-12-12T05:13:06.683", "last_editor_user_id": "2668", "owner_user_id": "2668", "parent_id": "92600", "post_type": "answer", "score": 1 } ]
92600
null
92613
{ "accepted_answer_id": null, "answer_count": 0, "body": "Vue3にてVue-Routerを使用した画面遷移の実装を考えています。 \n具体的な.vueファイルや画面構成は以下の通りです。\n\nApp.vue: ルートvueファイル \nLogin.vue: ID/PWの入力欄、ログイン画面 \nMain.vue: ヘッダーとフッターのある画面 \nService.vue: ユーザーが契約しているサービスを選択する画面 \nMenu.vue: サービスを選択した結果のメニュー画面\n\n画面遷移のイメージ図を添付します。 \n[![画像の説明をここに入力](https://i.stack.imgur.com/2kmqY.png)](https://i.stack.imgur.com/2kmqY.png)\n\nApp.vueのtemplateタグでは、RouterViewのみが定義されており、その下にある \nLogin.vueとMain.vueを切り替えています。 \nここまでは成功したのですが \nMain.vueでService.vueとMenu.vueを切り替える方法がわかりません。 \nMain.vueのtemplateタグにRouterViewを定義し、切り替えることは可能でしょうか?\n\n以下、index.tsの内容です。\n\n```\n\n const router = createRouter({\n history: createWebHistory(import.meta.env.BASE_URL),\n routes: [\n {\n path: '/',\n name: 'main',\n component: Main,\n },\n {\n path: \"/login\",\n name: 'Login',\n component: Login\n },\n {\n path: \"/service\",\n name: \"service\",\n component: service\n },\n {\n path: '/about',\n name: 'about',\n // route level code-splitting\n // this generates a separate chunk (About.[hash].js) for this route\n // which is lazy-loaded when the route is visited.\n component: () => import('../views/AboutView.vue')\n }\n ]\n \n```\n\nブラウザから'url/service'を呼び出すと、App.vueで定義されたRouterViewで画面切り替えが行われるようです。\n\n何か良い方法はないでしょうか?\n\nご不明な点がありましたら、ご質問ください。本当に困っているのです。\n\n日本語がつたなく申し訳ございません。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-06T09:41:49.217", "favorite_count": 0, "id": "92601", "last_activity_date": "2022-12-06T13:06:06.987", "last_edit_date": "2022-12-06T13:06:06.987", "last_editor_user_id": "3060", "owner_user_id": "42713", "post_type": "question", "score": 1, "tags": [ "typescript", "vue.js" ], "title": "Vue-Routerで切り替えた画面の中にあるVue-Routerでの切替", "view_count": 73 }
[]
92601
null
null
{ "accepted_answer_id": null, "answer_count": 0, "body": "vscode(1.73.1)でjavascriptのコードを書いています。(vanilla)\n\n以下は`a.js`で定義したオブジェクトを`b.js`で使用するサンプルです。\n\n`a.js`を開いている状態で`b.js`に例のように入力すると`hoge`がintelli senseにより提案されます。 \nしかし`a.js`を開いていないとき、intelli senseが機能しません。\n\nCやC++では`c_cpp_properties.json`で`includePath`を設定することできますが、 \njavascriptでも同じようにintelli senseを設定することはできますか?\n\n[![intelli\nsenseが機能する場合](https://i.stack.imgur.com/JKLal.png)](https://i.stack.imgur.com/JKLal.png) \n[![intelli\nsenseが機能しない場合](https://i.stack.imgur.com/aekQj.png)](https://i.stack.imgur.com/aekQj.png)\n\n* * *\n\n * フォルダ構成\n\n```\n\n sample/\n + a.js\n + b.js\n + sample.code-workspace\n \n```\n\n * a.js\n\n```\n\n /** オブジェクト */\n const hoge = {\n /**\n * 関数\n * @param {string} x 引数\n * @returns {string} 戻り値\n */\n f(x) {\n return x;\n }\n };\n \n```\n\n * b.js\n\n```\n\n hoge. // a.jsを開いているとintelli senseが利くものの、開いていないと機能しない\n \n```\n\n * sample.code-workspace\n\n```\n\n {\n \"folders\": [\n {\n \"path\": \".\"\n }\n ],\n \"settings\": {}\n }\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-06T12:35:16.383", "favorite_count": 0, "id": "92603", "last_activity_date": "2022-12-06T12:35:16.383", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "6055", "post_type": "question", "score": 0, "tags": [ "javascript", "vscode" ], "title": "vscodeで開いていないjsファイルのintelli senseを有効にする", "view_count": 80 }
[]
92603
null
null
{ "accepted_answer_id": null, "answer_count": 0, "body": "snowsqlのログイン時に-qを使用したクエリオプションを同時実行して日本語名のテーブル名を指定した参照結果を返すようにしたいです。 \n現状コマンド実施すると、日本語のテーブル名を指定した箇所でSQL compilation\nerrorとなってしまい、snoqsqlにログインできません。このerrorを解消するために方法がありましたらご教示いただけますと幸いです。 \nなお、今回指定したいテーブル名は要件上英名がなく、日本語名しか存在しないです。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T01:42:23.417", "favorite_count": 0, "id": "92610", "last_activity_date": "2022-12-07T01:42:23.417", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55817", "post_type": "question", "score": 1, "tags": [ "sql", "postgresql" ], "title": "snowsql の -q オプションを使用して日本語名のスキーマを SELECT したい", "view_count": 41 }
[]
92610
null
null
{ "accepted_answer_id": null, "answer_count": 1, "body": "AmazonのCloud9で、RubyとRailsを学習しており、VisualStudioCodeでも同じように使えるようにしたいと環境の構築から始めましたが、Rubyは問題なく出来ましたがRailsの環境構築が上手くいきません。\n\n`Rails new アプリケーション名` を実行すると以下のエラーが表示されます。 \nエラーの原因がRubyに起因するものなのか?そもそも、Railsのインストールに起因するのかが判りません。 \n他の方の似たようなエラー対処の回避方法を参考にしましたが、なお同じ状況です。\n\n```\n\n create README.md\n create Rakefile\n create .ruby-version\n create config.ru\n create .gitignore\n create .gitattributes\n create Gemfile\n run git init from \".\"\n Initialized empty Git repository in C:/Users/xxx/sample3/.git/\n create app\n create app/assets/config/manifest.js\n create app/assets/stylesheets/application.css\n create app/channels/application_cable/channel.rb\n create app/channels/application_cable/connection.rb\n create app/controllers/application_controller.rb\n create app/helpers/application_helper.rb\n create app/jobs/application_job.rb\n create app/mailers/application_mailer.rb\n create app/models/application_record.rb\n create app/views/layouts/application.html.erb\n create app/views/layouts/mailer.html.erb\n create app/views/layouts/mailer.text.erb\n create app/assets/images\n create app/assets/images/.keep\n create app/controllers/concerns/.keep\n create app/models/concerns/.keep\n create bin\n create bin/rails\n create bin/rake\n create bin/setup\n create config\n create config/routes.rb\n create config/application.rb\n create config/environment.rb\n create config/cable.yml\n create config/puma.rb\n create config/storage.yml\n create config/environments\n create config/environments/development.rb\n create config/environments/production.rb\n create config/environments/test.rb\n create config/initializers\n create config/initializers/assets.rb\n create config/initializers/content_security_policy.rb\n create config/initializers/cors.rb\n create config/initializers/filter_parameter_logging.rb\n create config/initializers/inflections.rb\n create config/initializers/new_framework_defaults_7_0.rb\n create config/initializers/permissions_policy.rb\n create config/locales\n create config/locales/en.yml\n create config/master.key\n append .gitignore\n create config/boot.rb\n create config/database.yml\n create db\n create db/seeds.rb\n create lib\n create lib/tasks\n create lib/tasks/.keep\n create lib/assets\n create lib/assets/.keep\n create log\n create log/.keep\n create public\n create public/404.html\n create public/422.html\n create public/500.html\n create public/apple-touch-icon-precomposed.png\n create public/apple-touch-icon.png\n create public/favicon.ico\n create public/robots.txt\n create tmp\n create tmp/.keep\n create tmp/pids\n create tmp/pids/.keep\n create tmp/cache\n create tmp/cache/assets\n create vendor\n create vendor/.keep\n create test/fixtures/files\n create test/fixtures/files/.keep\n create test/controllers\n create test/controllers/.keep\n create test/mailers\n create test/mailers/.keep\n create test/models\n create test/models/.keep\n create test/helpers\n create test/helpers/.keep\n create test/integration\n create test/integration/.keep\n create test/channels/application_cable/connection_test.rb\n create test/test_helper.rb\n create test/system\n create test/system/.keep\n create test/application_system_test_case.rb\n create storage\n create storage/.keep\n create tmp/storage\n create tmp/storage/.keep\n remove config/initializers/cors.rb\n remove config/initializers/new_framework_defaults_7_0.rb\n run bundle install\n C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:50:in `match?': invalid byte sequence in UTF-8 (ArgumentError)\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:50:in `chop_basename'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:374:in `plus'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:354:in `+'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:420:in `join'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/settings.rb:445:in `global_config_file'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/settings.rb:93:in `initialize'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:342:in `new'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:342:in `settings'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/env.rb:20:in `report'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/friendly_errors.rb:74:in `request_issue_report_for' \n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/friendly_errors.rb:53:in `log_error'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/friendly_errors.rb:126:in `rescue in with_friendly_errors'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/friendly_errors.rb:118:in `with_friendly_errors' \n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/exe/bundle:36:in `<main>'\n C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:50:in `match?': invalid byte sequence in UTF-8 (ArgumentError)\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:50:in `chop_basename'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:374:in `plus'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:354:in `+'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:420:in `join'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/settings.rb:445:in `global_config_file'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/settings.rb:93:in `initialize'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:342:in `new'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:342:in `settings'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/feature_flag.rb:21:in `block in settings_method' \n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/cli.rb:106:in `<class:CLI>'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/cli.rb:6:in `<module:Bundler>'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/cli.rb:5:in `<top (required)>'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/exe/bundle:38:in `require_relative'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/exe/bundle:38:in `block in <main>'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/friendly_errors.rb:120:in `with_friendly_errors' \n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/exe/bundle:36:in `<main>'\n run bundle binstubs bundler\n C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:50:in `match?': invalid byte sequence in UTF-8 (ArgumentError)\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:50:in `chop_basename'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:374:in `plus'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:354:in `+'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:420:in `join'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/settings.rb:445:in `global_config_file'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/settings.rb:93:in `initialize'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:342:in `new'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:342:in `settings'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/env.rb:20:in `report'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/friendly_errors.rb:74:in `request_issue_report_for' \n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/friendly_errors.rb:53:in `log_error'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/friendly_errors.rb:126:in `rescue in with_friendly_errors'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/friendly_errors.rb:118:in `with_friendly_errors'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/exe/bundle:36:in `<main>'\n C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:50:in `match?': invalid byte sequence in UTF-8 (ArgumentError)\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:50:in `chop_basename'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:374:in `plus'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:354:in `+'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:420:in `join'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/settings.rb:445:in `global_config_file'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/settings.rb:93:in `initialize'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:342:in `new'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:342:in `settings'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/feature_flag.rb:21:in `block in settings_method' \n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/cli.rb:106:in `<class:CLI>'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/cli.rb:6:in `<module:Bundler>'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/cli.rb:5:in `<top (required)>'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/exe/bundle:38:in `require_relative'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/exe/bundle:38:in `block in <main>'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/friendly_errors.rb:120:in `with_friendly_errors' \n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/exe/bundle:36:in `<main>'\n rails importmap:install\n C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:50:in `match?': invalid byte sequence in UTF-8 (ArgumentError)\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:50:in `chop_basename'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:374:in `plus'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:354:in `+'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:420:in `join'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/settings.rb:445:in `global_config_file'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/settings.rb:93:in `initialize'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:342:in `new'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:342:in `settings'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:111:in `configured_bundle_path'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:96:in `bundle_path'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:651:in `configure_gem_home_and_path'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:82:in `configure'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:206:in `definition'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:155:in `setup'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/setup.rb:10:in `block in <top (required)>'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/ui/shell.rb:136:in `with_level'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/ui/shell.rb:88:in `silence'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/setup.rb:10:in `<top (required)>'\n from <internal:C:/Ruby31-x64/lib/ruby/3.1.0/rubygems/core_ext/kernel_require.rb>:85:in `require'\n from <internal:C:/Ruby31-x64/lib/ruby/3.1.0/rubygems/core_ext/kernel_require.rb>:85:in `require'\n from C:/Users/xxx/sample3/config/boot.rb:3:in `<top (required)>'\n from bin/rails:3:in `require_relative'\n from bin/rails:3:in `<main>'\n rails turbo:install stimulus:install\n C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:50:in `match?': invalid byte sequence in UTF-8 (ArgumentError)\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:50:in `chop_basename'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:374:in `plus'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:354:in `+'\n from C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:420:in `join'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/settings.rb:445:in `global_config_file'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/settings.rb:93:in `initialize'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:342:in `new'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:342:in `settings'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:111:in `configured_bundle_path'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:96:in `bundle_path'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:651:in `configure_gem_home_and_path'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:82:in `configure'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:206:in `definition'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler.rb:155:in `setup'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/setup.rb:10:in `block in <top (required)>'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/ui/shell.rb:136:in `with_level'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/ui/shell.rb:88:in `silence'\n from C:/Ruby31-x64/lib/ruby/gems/3.1.0/gems/bundler-2.3.26/lib/bundler/setup.rb:10:in `<top (required)>'\n from <internal:C:/Ruby31-x64/lib/ruby/3.1.0/rubygems/core_ext/kernel_require.rb>:85:in `require'\n from <internal:C:/Ruby31-x64/lib/ruby/3.1.0/rubygems/core_ext/kernel_require.rb>:85:in `require'\n from C:/Users/xxxx/sample3/config/boot.rb:3:in `<top (required)>'\n from bin/rails:3:in `require_relative'\n from bin/rails:3:in `<main>'\n \n```", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T01:50:22.527", "favorite_count": 0, "id": "92611", "last_activity_date": "2022-12-10T11:17:22.587", "last_edit_date": "2022-12-08T11:37:43.447", "last_editor_user_id": "55818", "owner_user_id": "55818", "post_type": "question", "score": 0, "tags": [ "ruby-on-rails" ], "title": "VisualStudioCodeでRailsの環境構築が上手くできません", "view_count": 386 }
[ { "body": "メッセージからWindows環境であると推測されるため、Windowsであることが前提です。Windows以外の環境の場合はご指摘下さい。\n\n* * *\n\nWindows上で直接Ruby on\nRalisを実行する場合は、複数の注意事項があります。うまくいかないという場合、複数の原因が考えられ、それぞれ一つ一つ確認する必要があります。\n\nこの回答は下記バージョンで検証しました。バージョンが異なる場合、解決策ではうまくいかない、別の不具合が発生する可能性があります。その場合は、コメント等でご指摘下さい。\n\n * OS: Windows 11 21H2 (64ビット)\n * Ruby: 3.1.2p20 x64-mingw-ucrt (RubyInstaller)\n * Ralis: 7.0.4\n * Git: 2.38.1.windows.1 (Git for Windows)\n\n## 原因究明編\n\nそれぞれの場合で発生する現象とその原因について述べます。解決策は概要のみで詳細は後述します。\n\n### ユーザー名にASCII(英数字)以外の文字が含まれる場合\n\nユーザー名を設定するときに[ASCII](https://ja.wikipedia.org/wiki/ASCII)(半角の英数字や記号)以外の文字(平仮名・片仮名・漢字など和文に使用する文字)を含めてしまった場合、ユーザープロファイルのパスにそのユーザー名が含まれることで、一部の動作が正常に動作しなくなります。\n\n#### 原因: 環境変数`TMP`にASCII以外の文字がある。\n\n環境変数`TMP`(デフォルトはユーザープロファイル配下の`C:\\Users\\【ユーザー名】\\AppData\\Local\\Temp`です)にASCII以外の文字がある場合、`gem\ninstall rails`実行時や`bundle install`の段階で下記のようなメッセージが表示され、コンパイルエラー等により失敗します。\n\n>\n```\n\n> Error: can't open C:\\Users\\【文字化けしたユーザー名】\\AppData\\Local\\Temp\\【ランダムな文字列】.s\n> for reading: Illegal byte sequence\n> \n```\n\nコンパイラーであるgcc等が環境変数`TMP`を参照しますが、ASCII以外の文字が含まれていると正しく処理できないためです。\n\n * 解決策A1: ASCIIのみのパスのフォルダーを作成し、環境変数`TMP`を設定する。\n * 解決策B: ASCII文字のみのユーザープロファイルを使用する。\n * 解決策C: システム全体をUTF-8に設定する。\n\n※ 一部のプログラムは環境変数`TEMP`も見に行きますが、環境変数`TMP`のほうが優先順位が高いため、設定しなくても問題ありません。\n\n#### 原因: ホームディレクトリにASCII以外の文字がある。\n\nRubyがホームディレクトリだと判定する場所(デフォルトはユーザープロファイルと同じ`C:\\Users\\【ユーザー名】`です)にASCII以外の文字がある場合、`bundle\ninstall`の段階で下記のようなメッセージが表示され、ライブラリをインストールできず、失敗します。\n\n>\n```\n\n> C:/Ruby31-x64/lib/ruby/3.1.0/pathname.rb:50:in `match?': invalid byte\n> sequence in UTF-8 (ArgumentError)\n> \n```\n\nbundlerがホームディレクトリを基にユーザーの設定ファイルを探しますが、そこにASCII以外の文字が含まれていると正しく処理できないためです。\n\n * 解決策A2: ASCIIのみのパスのフォルダーを作成し、環境変数`HOME`を設定する。\n * 解決策B: ASCII文字のみのユーザープロファイルを使用する。\n * 解決策C: システム全体をUTF-8に設定する。\n\n※ Windowsでのホームディレクトリは、次の順番で探しに行きます。\n\n 1. 環境変数`HOME`\n 2. 環境変数`HOMEDRIVE`+環境変数`HOMEPATH` (ホーム フォルダーを設定した場合に設定される)\n 3. 環境変数`USERPROFILE` (ユーザープロファイルのパス)\n\n### アプリを作成したフォルダーにASCII(英数字)以外の文字が含まれる場合\n\n`rails\nnew`するときのアプリ名がASCIIのみであっても、そのフォルダーのフルパスにASCII以外の文字が含まれていると、一部の動作が正常に動作しなくなります。\n\n#### 原因: アプリのフルパスにASCII以外の文字がある。\n\nアプリのフルパスにASCII以外の文字がある場合、`rails\nimportmap:install`の段階で下記のようなメッセージが表示され、実行エラーにより失敗します。\n\n>\n```\n\n> Errno::E-01: The operation completed successfully. -\n> bs_fetch:open_current_file:open\n> \n```\n\n一部のライブラリでアプリのフルパスにASCII以外の文字が含まれていると正しく処理できないためです。\n\n * 解決策D: ASCIIのみのパスのフォルダーでASCIIのみのアプリ名のRailsアプリを作成する。\n * 解決策C: システム全体をUTF-8に設定する。\n\n※ ユーザーがASCIIのみの場合でも発生します。\n\n### RubyInstaller 3.1系以上 x64版を使用している場合\n\nこれはRubyInstallerのRubyで、バージョンが3.1系以上、かつ、x64版の場合のみの対応です。バージョン3.0系以下やx86版では問題は発生しません。\n\n#### 原因: Rubyのプラットフォームがx64-mingw-ucrtである。\n\n`ruby -v`とするとRubyのバージョンと共に[プラットフォームを表す文字](https://docs.ruby-\nlang.org/ja/latest/method/Object/c/RUBY_PLATFORM.html)が表示されます。これが、`x64-mingw-\nucrt`の場合、`rails importmap:install`の段階で下記のようなメッセージが表示され、実行エラーにより失敗します。\n\n>\n```\n\n> TZInfo::DataSourceNotFound: tzinfo-data is not present. Please add gem\n> 'tzinfo-data' to your Gemfile and run bundle install\n> \n```\n\nWindows環境では tzinfo-data ライブラリが必要です。Railsが最初に生成するGemfileでは、プラットフォームが`%i[ mingw\nmswin x64_mingw jruby ]`の場合に tzinfo-data をインストールするとなっていますが、x64-mingw-\nucrtの場合はいずれにもあてはまらなくなるからです。\n\n解決策E: Gemfileを修正する。 \n解決策F: 3.0系またはx86版を使用する。 \n解決策G: RubyInstaller以外のRubyを使用する。\n\n## 解決編\n\n原因究明編であげた解決策をそれぞれ説明していきます。\n\nなお、解決策を実施後は **失敗したところからやり直してください** 。`rails\nnew`で失敗している場合、作成されたアプリを一度削除してから、`rails\nnew`を実行してください。一度失敗している場合、セットアップが中途半端になっており、その後の作業がうまくいきません。もし、どこからうまくいっていないかわからない場合は、Rubyをインストールするところからやり直してください。\n\n### 解決策A1/A2: ASCIIのみのパスのフォルダーを作成し、環境変数を設定する。\n\n適当なフォルダーC:\\TempやC:\\Home等を作成し、PowerShellやコマンドプロンプトで環境変数をそれらのフォルダーに設定します。\n\n```\n\n $Env.TMP = \"C:\\Temp\"\n $Env.HOME = \"C:\\Hmoe\"\n \n```\n\n```\n\n set TMP=C:\\Temp\n set HOME=C:\\Hmoe\n \n```\n\n毎回実行する必要があることに注意して下さい。また、.gemrcなどのユーザーの設定は環境変数`HOME`から探すようになります。\n\n### 解決策B: ASCII文字のみのユーザープロファイルを使用する。\n\n新しくASCIIのみのユーザー名のユーザーを作成して下さい。その新しいユーザーでRailsアプリを作成し、開発を行って下さい。\n\n**現在のユーザーでユーザープロファイルのパスを変更することはできません。**\nユーザー名を変更してもユーザープロファイルのパスは変更されません。ユーザープロファイルのパスはレジストリ`HKEY_LOCAL_MACHINE\\SOFTWARE\\Microsoft\\Windows\nNT\\CurrentVersion\\ProfileList`配下にあり、その値が変更されないからです。レジストリエディタ等で無理矢理変更することで見に行く先を変えることはできますが、複雑な手順でプロファイルのコピーなどが行っていないとプロファイルが壊れてしまい、最悪ログオンできなくなります。Windowsに非常に詳しくないかぎり、成功することはありません。\n\n### 解決策C: システム全体をUTF-8に設定する。\n\nこの方法はWindowsの **ベータ機能** です。設定によって、古いアプリケーションが動作しなくなる場合がありますので、ご注意下さい。\n\n 1. 「設定」を開きます。\n 2. 時刻と言語 > 言語と地域 > 関連設定 にある「管理用の言語の設定」を開きます。\n 3. 管理タブのUnicode 対応ではないプログラムの言語 にある「システム ロケールの変更」 を開きます。\n 4. 「ベータ: ワールドワイド言語サポートで Uincode UTF-8 を使用」にチェックを入れ、「OK」を押します。\n 5. 再起動します。\n\n### 解決策D: ASCIIのみのパスのフォルダーでASCIIのみのアプリ名のRailsアプリを作成する。\n\nCドライブ直下などに適当なフォルダーを作成して、そこでRailsアプリを作成するだけです。\n\n### 解決策E: Gemfileを修正する。\n\n[別の質問の私の回答](https://ja.stackoverflow.com/a/86716/7347)を参照して下さい。\n\n### 解決策F: 3.0系またはx86版を使用する。\n\nRubyInstallerの3.0系やx86版を使用します。3.0系x64版でも3.1系x86版でも大丈夫です。\n\n### 解決策G: RubyInstaller以外のRubyを使用する。\n\n[MSYS2](https://www.msys2.org/)の環境でもWindowsで動作するコンパイル済みRubyは使用できます。ただし、UCRT64環境は同じ問題が発生するため、問題解決のための利用の場合は避けて下さい。\n\nその他、自分でコンパイルするという手段もあります。\n\n### 解決策Z: WSLを使用する。\n\n最後に、WSLでの利用を推奨しておきます。\n\n現在の最新環境でもWindowsでは上のような問題が発生します。過去にはnokogiriやsqlite3の最新バイナリが提供されずエラーになる問題とか、一部のdllを別途コピーする必要あったりとか、なにかと苦労させられてきました。ここからMySQL等のDBまでWindowsで検証しようとすると、結構苦労することになります。\n\nRubyはもともとLinuxをメインターゲットとして開発されており、Railsを初めとしたRubyの多くのフレームワークやライブラリもLinuxが第一ターゲットで他のOSは二の次です。ですので、Windowsでの動作はテストしていない場合も多く、問題があっても対応がとても遅い(そのほとんどがコア開発者に環境が無いとか、Linux以外に詳しくないとか)場合があります。ですので、Linux以外で動作させる場合は、逆に、それなりの知識が無いと難しいです。つまり、Linuxで動かした方が、簡単に、しかも、うまく行きやすいと言うことです。\n\n幸運なことに、最新のWindowsであれば、ほとんどの環境でWSLが使用できます。インストール方法も簡単です。\n\n```\n\n wsl --install\n \n```\n\nこれひとつで、WSL環境のセットアップから、Ubuntuのインストールまで行ってくれます。Visual Studio\nCodeであれば、WSL拡張を使うことで、そのままWSLの環境も触ることができます。後は好きな方法でRubyをインストールして、Railsを試すだけです。\n\n多分これが一番早いと思います。", "comment_count": 7, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-09T05:55:20.207", "id": "92661", "last_activity_date": "2022-12-10T11:17:22.587", "last_edit_date": "2022-12-10T11:17:22.587", "last_editor_user_id": "7347", "owner_user_id": "7347", "parent_id": "92611", "post_type": "answer", "score": 1 } ]
92611
null
92661
{ "accepted_answer_id": "92620", "answer_count": 2, "body": "laravelで、検索結果をJSON出力するAPIを作成したのですが、出力するデータが多いため、分割でechoでデータを送信するよう作成しました。この場合、別の環境のphp内でそのAPIを実行し、データを全て受け取り、加工したいとき、どのように受け取ればいいでしょうか? \n(ブラウザで実行すると正常に取得できます)\n\nPHPで下記を実行するとNULLが返ってきます。\n\n```\n\n $http = new \\GuzzleHttp\\Client([~~]);\n $response = $http->post('URL' ~~\n var_dump(json_decode((string) $response->getBody(), true));\n exit;\n \n```\n\n[追記] \n・APIからechoで送信されるデータ1回目\n\n```\n\n [\n {data:[~~]},\n \n```\n\n・2回目\n\n```\n\n {data:[~~]},\n \n```\n\n・3回目\n\n```\n\n {code:200,message:~~}\n ]\n \n```\n\n・1回目から3回目を合わせるとjsonデータになります。\n\n```\n\n [\n {data:[~~]},\n {data:[~~]},\n {code:200,message:~~}\n ]\n \n```", "comment_count": 10, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T02:16:54.740", "favorite_count": 0, "id": "92612", "last_activity_date": "2022-12-07T06:57:05.810", "last_edit_date": "2022-12-07T05:15:59.077", "last_editor_user_id": "54583", "owner_user_id": "54583", "post_type": "question", "score": 0, "tags": [ "php", "laravel" ], "title": "API内のループで、echoを使用して出力されたデータを、php内で受け取る方法", "view_count": 141 }
[ { "body": "「データを分割する」という考え方の方向性自体は悪くありませんが、分割するのであれば2回目以降のやり取りでは「どの部分からのデータをやり取りするのか」の情報が必要になってくるかと思います。\n\n例として、全部で 1,000 件のデータがあるところ 50 件ずつ分割して API がデータを返すとします。\n\n * 1回目: \"オフセット0\" として 1 件目 ~ 50 件目を返す\n * 2回目: \"オフセット1\" として 51件目 ~ 100 件目を返す\n\nまた、分割の単位も機械的に行数で分割するのではなく、できれば JSON としてのデータを保ったままレコードごとに分割する方が望ましいように思います。\n\nこの辺りは \"api pagination\" 等で web 検索してもらうと参考になる情報が出てくると思います。", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T06:17:03.123", "id": "92619", "last_activity_date": "2022-12-07T06:17:03.123", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "3060", "parent_id": "92612", "post_type": "answer", "score": 1 }, { "body": "APIの方はストリーミングでレスポンスを返しているような状況ですね。\n\nなので、受け取り側もストリーミングでレスポンスを受け取りパースする必要があります。\n\n英語版に同じような意図の質問がありました。\n\n[PHP HTTP Guzzle client - How to parse a JSON Array using Guzzle Streams -\nStack Overflow](https://stackoverflow.com/questions/65666113/php-http-guzzle-\nclient-how-to-parse-a-json-array-using-guzzle-streams)\n\nここに紹介されているJsonCollectionParserを使い、ストリーミングソースとして、`$response->getBody()`\nを与え、パーサー関数で適切に処理すればどうでしょうか。\n\n```\n\n $parser->parse($response->getBody(), function (array $item) {\n var_dump($item);\n });\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T06:57:05.810", "id": "92620", "last_activity_date": "2022-12-07T06:57:05.810", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "2668", "parent_id": "92612", "post_type": "answer", "score": 1 } ]
92612
92620
92619
{ "accepted_answer_id": null, "answer_count": 1, "body": "**環境** \nOS: Microsoft Windows Server 2012 R2 \nSQL: Microsoft SQL Server 2008 R2 Express\n\n**実現したいこと** \nnmapなどのポートスキャンツールでバージョン情報が表示されているのですが、 \nMSSQLのバージョンを非表示とする方法があるようでしたらお教え頂けますでしょうか。 \nDBサーバ関連は、Webサーバ(Apacheなど)のようにバナー情報を非表示にすること自体ができないのでしょうか。\n\nMSSQLに関わらず、MySQLなど他のDBに関してもバージョン情報を非表示にする情報を見つけることができませんでした。", "comment_count": 3, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T03:57:37.893", "favorite_count": 0, "id": "92614", "last_activity_date": "2022-12-07T14:18:25.090", "last_edit_date": "2022-12-07T06:35:26.277", "last_editor_user_id": "3060", "owner_user_id": "55822", "post_type": "question", "score": 0, "tags": [ "sql-server" ], "title": "SQL Server のバージョン情報を非表示にするには?", "view_count": 170 }
[ { "body": "nmapとSQL Serverの組み合わせが具体的にどうかはわかりませんが一般論。\n\nスキャンツールがサーバのバージョンを識別する方法はいくつかあります。\n\n 1. レスポンスヘッダやデータに具体的にバージョンが記載される(HTTPとか)\n 2. ヘッダやデータにバージョンを示すような値がある\n 3. やりとりの特徴をシグネチャベースで識別\n\n設定で隠せるのは大抵1.の場合でしょう。2.についてはバージョンによって解釈を変更する必要があるなどプロトコル上重要な場合もあり、隠せないというか隠すと困るものが多いのではないでしょうか。3.はどうしようもありません。\n\n要は「設定で隠せるはず」というものではないということです。\n\n* * *\n\n> バージョン情報が見られて困る人に見えるような 構成なら、それ自体が問題\n\n違います。バージョン情報が見えることと、システムが攻撃に対して安全かは本来無関係です。\n\n 1. バージョン情報が見える、セキュリティは確保されている\n 2. バージョン情報が見えない、セキュリティは確保されている\n 3. バージョン情報が見える、セキュリティは確保されていない\n 4. バージョン情報が見えない、セキュリティは確保されていない\n\nで、まずいのは3.4.です。\n\n十分な認証機構もデータ保護もなかった一昔前であれば「DBは隠すもの」が絶対でしたが、今時TLSによる暗号化や認証もできるし、考え方自体も内部ネットワークも信頼できない前提に転換しつつあります。\n\n外部だろうが内部だろうがセキュリティが保たれた状態にするのが理想で、バージョン情報が見える見えない(表示されてる・されてない、接続できる・できないの両方)は本質的にはそれには関係ない話です。", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T14:18:25.090", "id": "92626", "last_activity_date": "2022-12-07T14:18:25.090", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "5793", "parent_id": "92614", "post_type": "answer", "score": 1 } ]
92614
null
92626
{ "accepted_answer_id": null, "answer_count": 1, "body": "anacondaは1000人規模の会社で働く人が、業務外の個人での学習のために使う場合は無償という理解でよいのでしょうか?", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T04:08:42.363", "favorite_count": 0, "id": "92615", "last_activity_date": "2022-12-07T06:23:08.753", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55769", "post_type": "question", "score": 0, "tags": [ "python", "anaconda" ], "title": "anacondaは1000人規模の会社で働く人が、業務外の個人での学習のために使う場合は無償?", "view_count": 227 }
[ { "body": "公式サイトの[Terms of Service](https://legal.anaconda.com/policies/en/?name=terms-\nof-\nservice)に下記が記載されている通り(カッコ内は拙訳です)、業務や研究に一切関係しない学習用途であれば「商業活動」に該当しないため所属がどこであろうと無償です。\n\n> To avoid confusion, “commercial activities” are any use of the Repository\n> which is NOT: \n> (混乱を避けるため、下記のいずれにも該当しないリポジトリ利用が「商業活動」です) \n> * use solely by an individual using for personal, non-business purposes \n> (* ビジネスを目的としない、独立した個人による個人的な利用)\n\nただし個人の活動と企業のR&D活動の境界は非常にあいまいです。 \n今後企業の商品開発にシフトする可能性がある場合や不安な場合は、利用規約の通り問い合わせするのが最も安全です。\n\n> Please reach out to us for confirmation or to apply for a fee exemption for\n> research usage by visiting https://.... Approval is at the sole discretion\n> of Anaconda. \n> (確認や研究用途の無料申請の場合はhttps://...から我々にご連絡ください。承認はAnacondaが独自に行います)\n\n有料かどうかの判定はAnacondaが独自に行うと記載されているように、無料利用者の判断が誤りで商業活動であると判断された場合には相応の対処をされる可能性があります。 \nなお、この回答も回答者個人の解釈であり、正しくない可能性がありますのでご注意ください。\n\n参考資料: \n[【プログラミング】anaconda\nの有償回避方法と代替案](https://xinformation.hatenadiary.com/entry/2022/06/28/005425)", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T05:02:03.070", "id": "92616", "last_activity_date": "2022-12-07T06:23:08.753", "last_edit_date": "2022-12-07T06:23:08.753", "last_editor_user_id": "3060", "owner_user_id": "9820", "parent_id": "92615", "post_type": "answer", "score": 1 } ]
92615
null
92616
{ "accepted_answer_id": null, "answer_count": 3, "body": "色々と調べてみたはいいものの、書き方がつかめずどうしても固まってしまいます。お力添えをよろしくお願いいたします。 \n各染色体について父由来か母由来どちらの染色体を子孫に渡すかによってどんな能力のパターンがある得るかのシミュレーションです。\n\nchr_effect.txtのようなデータファイルがあります。 \nanimal、pnt、chr1...chr29の31列あり、各animalにつきpntが1と2あります。便宜上最初の5つのanimal(10行)しか表示していませんが、実際には約5,000つのanimal、すなわち10,000行データがあります。\n\n別にchr_pnt.txtのようなファイルがあります。 \n便宜上最初の10行しか表示していませんが、実際には100,000行×29列(chr1...chr29)のデータで、pntを示す1もしくは2が入っています。\n\nやりたいことは、以下のような処理です。\n\n 1. chr_pntの各要素(chrとpntで一意的に定まる)に対応するchr_effectの値を抽出する。\n 2. 取り出したchr_effectの値からchr1...chr29までの和を算出する。\n 3. 算出した和(100,000個)の平均値と標準偏差を返す。\n 4. 以上の処理をすべてのanimalごとに行い、ファイル出力する。\n\n出力したいファイルのイメージはsolutions.txtです。 \n説明がわかりにくくて申し訳ないです。\n\nわたし個人では、恥ずかしながら以下のようにデータ読み込みの段階で思考が固まってしまいます。\n\n```\n\n import pandas as pd\n \n chr_effect = pd.read_table('chr_effect.txt', delim_whitespace=True)\n chr_pnt = pd.read_table('chr_pnt.txt', delim_whitespace=True)\n \n```\n\n**chr_effect.txt**\n\n```\n\n animal pnt chr1 chr2 chr3 chr4 chr5 chr6 chr7 chr8 chr9 chr10 chr11 chr12 chr13 chr14 chr15 chr16 chr17 chr18 chr19 chr20 chr21 chr22 chr23 chr24 chr25 chr26 chr27 chr28 chr29\n 27790 1 -3.249619881 1.776331581 -2.24113552 -4.817298276 -5.48548554 -1.759651526 5.334048371 3.891744788 1.884854677 -3.242535628 3.756604968 2.986742453 0.612356541 -2.86922751 4.352907409 0.90651085 -0.412862385 0.296373936 -5.889000773 -0.68745163 0.298499644 0.814954378 -0.095186506 0.865718907 2.540816382 5.789061632 -0.559834391 -2.53661836 0.751069038\n 27790 2 -0.390512283 0.3496771 -2.139579662 -4.59481831 -0.776924186 -0.35638789 -0.526063862 -0.477037798 -1.569054067 -2.90589106 -1.465912498 -3.364848089 0.975073498 -9.574933303 -2.323818571 -2.219380737 -3.775384093 -0.309000541 -0.003886077 1.91834523 -0.124754068 2.23336583 -2.7314078 -1.352587759 -2.121087552 -0.59768476 0.519127176 5.32087313 1.659182504\n 75952 1 1.860075236 -1.952826593 7.941593806 6.971151872 -5.39318137 24.5906086 -0.627978002 1.558862775 -2.044366214 1.593249157 -1.53647959 -5.210752328 3.478248395 -5.889005176 -0.485182934 1.525452838 -5.212397443 1.330459383 3.158410718 -1.316064027 3.041514078 2.484066153 -1.601287478 4.598523036 1.176341264 -0.732658875 -1.546846435 -0.241240957 -2.703045534\n 75952 2 0.07320026 -1.193285236 3.664270318 -1.198182299 -3.285812454 -7.21470412 1.759143544 7.648100385 1.693592132 0.946791605 -2.87792026 -2.67183088 -1.945447857 2.474190902 -2.621106236 -2.764357816 -2.279304115 0.00797417 0.663827378 1.58174674 1.271269494 1.272317695 1.142039742 0.076808881 -0.46131242 3.365393607 -1.174178405 -2.626477213 -1.37721366\n 90414 1 1.739067807 2.705188308 -1.245923538 -0.002399875 -2.599279152 -0.154139815 0.303458033 2.786962772 -2.988691596 0.725134479 -1.551469947 1.406454822 1.488023864 0.978901455 1.780002113 -5.183237296 -1.602299904 0.057587453 4.119123527 -3.148129947 -0.699950319 -0.354722639 0.366632135 4.998152571 1.543905898 3.172006996 -5.345136372 -0.056620664 2.422692998\n 90414 2 -2.519037307 -0.926182651 0.66829595 0.083873692 -3.127323408 -7.296881507 -0.797579 -1.692284026 0.446947886 -2.593041865 -4.321641322 1.195738671 -1.478727635 4.047270398 2.312901751 -5.3839035 -0.904768118 -3.425975528 -0.418056083 0.648341358 -0.674819627 -1.525995063 0.219910922 0.381569648 -1.513227344 2.566777598 -2.742408197 2.510699832 -1.25012918\n 90470 1 1.451065566 7.687896532 1.118122984 0.217045435 -4.390935698 -2.358229388 -8.346397709 2.006546339 5.738527934 -3.025387626 -4.028971005 1.712205845 3.627846534 6.986557249 0.963232976 -6.304871835 0.176607468 0.800108489 -0.063414724 6.655480908 -3.68568447 -1.681859217 0.952996904 -3.51742161 -1.585046358 -0.40142409 -1.222321719 5.864682736 0.77443274\n 90470 2 -3.236474166 -0.828191866 0.864194126 -2.386854158 -5.98932058 -4.859134618 -1.443351926 0.280750195 7.801439742 -4.921804746 1.155552973 1.624703212 -0.895162234 -5.903743854 0.901627188 0.187514121 -2.314349528 -5.426454814 3.349431154 6.005233669 -1.902131074 -1.325578071 0.787564088 -0.522419842 -1.345004348 1.169492376 1.537055754 6.767023934 -3.057591512\n 102853 1 0.01378943 10.9234678 1.456693154 0.034962635 -5.202454665 -1.662830588 -4.066262419 10.26374255 6.980704894 -1.44364735 -10.15811404 -4.508814067 4.862243682 7.606665536 -0.010935424 -1.73585101 -0.57417706 -1.087272208 4.78751793 7.514152847 -1.479511504 -1.681859217 0.472674332 -0.056568908 -3.122885588 4.59333307 2.501062924 2.730274228 0.727288217\n 102853 2 1.398403246 1.072480483 -8.505226254 2.64111658 -2.297556361 -1.40125181 -0.318009921 13.65483956 -0.776215002 1.719216586 -3.03228246 -5.971878011 -0.004130784 2.885798136 2.377923162 0.57592465 -3.414375536 -2.701702732 3.752473244 0.186915701 3.673363686 -2.915896525 0.89251478 5.26937868 -1.79715952 2.484896944 -1.231909699 2.871125798 1.623539915\n \n```\n\n**chr_pnt.txt**\n\n```\n\n chr1 chr2 chr3 chr4 chr5 chr6 chr7 chr8 chr9 chr10 chr11 chr12 chr13 chr14 chr15 chr16 chr17 chr18 chr19 chr20 chr21 chr22 chr23 chr24 chr25 chr26 chr27 chr28 chr29\n 2 2 1 1 2 2 2 1 1 1 1 1 1 2 1 2 2 2 2 1 2 1 2 1 2 2 1 1 2\n 1 2 2 1 2 1 2 1 1 1 1 1 1 2 2 2 1 1 2 1 1 1 1 2 2 2 2 1 1\n 1 1 2 2 1 1 1 2 2 2 2 1 1 2 2 1 1 1 1 1 2 2 2 1 1 1 1 1 1\n 2 1 2 2 1 2 2 1 2 1 1 2 1 2 2 1 2 2 2 1 2 2 1 1 2 1 1 2 2\n 1 2 2 1 1 2 2 1 2 1 1 1 1 2 1 1 2 1 1 2 2 1 1 2 2 2 1 2 1\n 2 1 2 2 2 2 2 1 1 1 1 1 1 1 2 1 1 1 2 2 1 1 2 2 2 1 1 1 1\n 2 2 1 2 1 1 1 1 2 1 1 1 2 2 2 1 1 2 1 1 2 2 1 2 2 2 1 1 2\n 1 2 1 2 1 1 1 2 2 2 2 1 2 2 1 1 2 2 1 1 2 2 1 2 1 1 1 2 1\n 2 2 2 2 1 1 1 2 1 2 2 2 1 1 2 2 2 1 2 1 1 1 2 1 1 2 1 2 1\n 1 1 1 1 1 1 1 2 1 1 2 2 1 2 1 2 1 2 1 2 1 1 2 1 1 2 1 1 1\n \n```\n\n**solutions.txt**\n\n```\n\n animal average std\n 27790 -13.80468698 10.76483559\n 75952 11.4056846 18.58066141\n 90414 -10.91855174 8.140109257\n 90470 -3.89969823 11.36792823\n 102853 20.69108446 11.8625067\n \n```", "comment_count": 3, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T05:53:16.207", "favorite_count": 0, "id": "92618", "last_activity_date": "2022-12-13T08:01:25.867", "last_edit_date": "2022-12-13T08:01:25.867", "last_editor_user_id": "54671", "owner_user_id": "54671", "post_type": "question", "score": 0, "tags": [ "python", "pandas", "bioinformatics" ], "title": "python pandasによるデータ処理について", "view_count": 173 }
[ { "body": "手順通りに処理を行うとすれば以下の通り(質問に記載されている `solutions.txt` の内容と処理結果が異なっていますけれども)。\n\n```\n\n import pandas as pd\n \n chr_effect = pd.read_table('chr_effect.txt', delim_whitespace=True)\n chr_pnt = pd.read_table('chr_pnt.txt', delim_whitespace=True)\n \n def mapping(animal):\n a = animal.set_index('pnt')\n return chr_pnt.apply(lambda c: c.apply(lambda x: a.loc[x, c.name]))\\\n .sum(axis=1).agg(average='mean', std='std')\n \n chrx = chr_effect.groupby('animal').apply(mapping)\n print(chrx)\n \n```\n\nanimal | average | std \n---|---|--- \n27790 | -18.5713 | 7.74195 \n75952 | 15.9058 | 19.3923 \n90414 | -8.52192 | 8.27256 \n90470 | -7.5583 | 11.9928 \n102853 | 20.3525 | 8.98747", "comment_count": 2, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T20:01:47.870", "id": "92627", "last_activity_date": "2022-12-07T20:01:47.870", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "47127", "parent_id": "92618", "post_type": "answer", "score": 1 }, { "body": "> 色々と調べてみたはいいものの、書き方がつかめず\n\n以下は総和の算出の手順です。あとは同じようにできるはず\n\n* * *\n\nanimal & pnt ごとに管理されているので \n① まず chr_pnt を pnt ごとにそれぞれ集計 (ch29 まで 29項目)\n\n```\n\n print((dfpnt == 1).sum(axis=0).to_list()) # pnt == 1 の場合\n # [5, 4, 4, 4, 7, 6, 5, 6, 5, 7, 6, 7, 8, 2, 4, 6, 5, 5, 5, 7, 4, 6, 5, 5, 4, 4, 9, 6, 7]\n \n```\n\n② chr_effect を pnt ごとに抽出して\n\n```\n\n display(dfeff[dfeff.pnt == 1])\n \n```\n\nanimal | pnt | chr1 | chr2 | chr3 | chr4 | chr5 | chr6 | chr7 | chr8 | chr9 |\nchr10 | chr11 | chr12 | chr13 | chr14 | chr15 | chr16 | chr17 | chr18 | chr19\n| chr20 | chr21 | chr22 | chr23 | chr24 | chr25 | chr26 | chr27 | chr28 |\nchr29 \n---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|--- \n27790 | 1 | -3.24962 | 1.77633 | -2.24114 | -4.8173 | -5.48549 | -1.75965 |\n5.33405 | 3.89174 | 1.88485 | -3.24254 | 3.7566 | 2.98674 | 0.612357 |\n-2.86923 | 4.35291 | 0.906511 | -0.412862 | 0.296374 | -5.889 | -0.687452 |\n0.2985 | 0.814954 | -0.0951865 | 0.865719 | 2.54082 | 5.78906 | -0.559834 |\n-2.53662 | 0.751069 \n75952 | 1 | 1.86008 | -1.95283 | 7.94159 | 6.97115 | -5.39318 | 24.5906 |\n-0.627978 | 1.55886 | -2.04437 | 1.59325 | -1.53648 | -5.21075 | 3.47825 |\n-5.88901 | -0.485183 | 1.52545 | -5.2124 | 1.33046 | 3.15841 | -1.31606 |\n3.04151 | 2.48407 | -1.60129 | 4.59852 | 1.17634 | -0.732659 | -1.54685 |\n-0.241241 | -2.70305 \n90414 | 1 | 1.73907 | 2.70519 | -1.24592 | -0.00239988 | -2.59928 | -0.15414 |\n0.303458 | 2.78696 | -2.98869 | 0.725134 | -1.55147 | 1.40645 | 1.48802 |\n0.978901 | 1.78 | -5.18324 | -1.6023 | 0.0575875 | 4.11912 | -3.14813 |\n-0.69995 | -0.354723 | 0.366632 | 4.99815 | 1.54391 | 3.17201 | -5.34514 |\n-0.0566207 | 2.42269 \n90470 | 1 | 1.45107 | 7.6879 | 1.11812 | 0.217045 | -4.39094 | -2.35823 |\n-8.3464 | 2.00655 | 5.73853 | -3.02539 | -4.02897 | 1.71221 | 3.62785 |\n6.98656 | 0.963233 | -6.30487 | 0.176607 | 0.800108 | -0.0634147 | 6.65548 |\n-3.68568 | -1.68186 | 0.952997 | -3.51742 | -1.58505 | -0.401424 | -1.22232 |\n5.86468 | 0.774433 \n102853 | 1 | 0.0137894 | 10.9235 | 1.45669 | 0.0349626 | -5.20245 | -1.66283 |\n-4.06626 | 10.2637 | 6.9807 | -1.44365 | -10.1581 | -4.50881 | 4.86224 |\n7.60667 | -0.0109354 | -1.73585 | -0.574177 | -1.08727 | 4.78752 | 7.51415 |\n-1.47951 | -1.68186 | 0.472674 | -0.0565689 | -3.12289 | 4.59333 | 2.50106 |\n2.73027 | 0.727288 \n \n③ あとは乗算\n\n```\n\n df1,df2 = (dfeff抽出分 * dfpnt集計分 for p in (1,2))\n dfsum = df1 + df2\n \n # pnt1, pnt2 を分けることなく加算する場合\n dfsum = sum(dfeff抽出分 * dfpnt集計分 for p in (1,2))\n \n```\n\n以上をまとめると\n\n```\n\n import pandas as pd\n dfeff = pd.read_csv(chr_effect, sep='\\s+', index_col='animal')\n dfpnt = pd.read_csv(chr_pnt, sep='\\s+')\n \n dfsum = sum(dfeff.loc[dfeff.pnt == p, 'chr1':'chr29']\n .mul((dfpnt == p).sum(axis='index'), axis='columns')\n for p in (1,2))\n \n display(dfsum.sum(axis='columns'))\n # animal\n # 27790 -185.712504\n # 75952 159.058371\n # 90414 -85.219206\n # 90470 -75.583044\n # 102853 203.524688\n # dtype: float64\n \n```\n\n* * *\n\n#### 追記\n\nchr_pnt 件数での平均の場合\n\n```\n\n print(dfpnt.shape) # (10, 29)\n len(dfpnt) # 10\n \n display(dfsum.sum(axis='columns') / len(dfpnt))\n # animal\n # 27790 -18.571250\n # 75952 15.905837\n # 90414 -8.521921\n # 90470 -7.558304\n # 102853 20.352469\n # dtype: float64\n \n```", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T22:41:57.523", "id": "92629", "last_activity_date": "2022-12-09T02:43:09.007", "last_edit_date": "2022-12-09T02:43:09.007", "last_editor_user_id": "43025", "owner_user_id": "43025", "parent_id": "92618", "post_type": "answer", "score": 0 }, { "body": "「 pandas によるデータ処理」とは言えないかもしれないので御参考です。なお,既に回答された方と標準偏差の値が異なるのは pandas と numpy\nでデフォルトの計算式が異なるためです。一致させるには`np.std(sum_list)` を `np.std(sum_list, ddof=1)`\nとしてください。とはいえ「データ数: 100,000 」では差はほとんどなくなります。\n\n```\n\n import pandas as pd\n import numpy as np\n \n chr_effect = pd.read_table('chr_effect.txt', delim_whitespace=True)\n chr_pnt = pd.read_table('chr_pnt.txt', delim_whitespace=True)\n \n print(' animal average std')\n for i in range(0, len(chr_effect.index), 2):\n anml = chr_effect.iloc[i, 0]\n p1 = chr_effect.iloc[i, 2:]\n p2 = chr_effect.iloc[i+1, 2:]\n sum_list = []\n for cp in chr_pnt.to_numpy():\n sum_list.append(p1[cp == 1].sum() + p2[cp == 2].sum())\n print(f'{anml:8d} {np.mean(sum_list):10.4f} {np.std(sum_list):10.4f}')\n \n```\n\n```\n\n animal average std\n 27790 -18.5713 7.3447\n 75952 15.9058 18.3972\n 90414 -8.5219 7.8480\n 90470 -7.5583 11.3774\n 102853 20.3525 8.5263\n \n```\n\n(追記) \nchr_pnt.txt を 100,000行に増やして処理時間を計測すると,私の環境(MacOS13(M1), Python 3.10.8)で\n30秒ほどでした。animal 数 5,000では単純計算で\n500分になります。そこで,下記のように内積計算に変更したところ処理時間は約20分の1(1.6秒)になりました。\n\n```\n\n # p1 = chr_effect.iloc[i, 2:]\n # p2 = chr_effect.iloc[i+1, 2:]\n p1 = chr_effect.iloc[i, 2:].to_numpy()\n p2 = chr_effect.iloc[i+1, 2:].to_numpy()\n \n # sum_list.append(p1[cp == 1].sum() + p2[cp == 2].sum())\n sum_list.append(p1 @ (2 - cp) + p2 @ (cp - 1))\n \n```", "comment_count": 1, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-08T17:09:55.073", "id": "92649", "last_activity_date": "2022-12-09T05:48:03.113", "last_edit_date": "2022-12-09T05:48:03.113", "last_editor_user_id": "54588", "owner_user_id": "54588", "parent_id": "92618", "post_type": "answer", "score": 1 } ]
92618
null
92627
{ "accepted_answer_id": "92622", "answer_count": 1, "body": "`git push -u origin main` \nを行うと \n`error: src refspec main does not match any error: failed to push some refs to\n'https://github.com/kazu1212-star/study-typescript.git'` \nと表示されます。\n\n色々試してみましたが解決しませんでした。 \nよろしくお願いします。", "comment_count": 3, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T07:03:28.423", "favorite_count": 0, "id": "92621", "last_activity_date": "2022-12-07T08:10:39.857", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "55232", "post_type": "question", "score": 0, "tags": [ "github" ], "title": "初回のpushでエラーとなる", "view_count": 385 }
[ { "body": "まずは、そのリポジトリをcloneして、それでできた作業フォルダにファイル追加、修正を加え、pushしてみよう", "comment_count": 0, "content_license": "CC BY-SA 4.0", "creation_date": "2022-12-07T08:10:39.857", "id": "92622", "last_activity_date": "2022-12-07T08:10:39.857", "last_edit_date": null, "last_editor_user_id": null, "owner_user_id": "27481", "parent_id": "92621", "post_type": "answer", "score": 1 } ]
92621
92622
92622