0
1

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?

ollma で遊ぶおじさん 〜

Last updated at Posted at 2025-02-02

今日も今日とて

雨だし自転車乗れないし勉強ですね。

codegemma:2b で遊ぶ

$ >>> ollama run codegemma:2b                                                                                   [10:58:08]
>>> write simple tic-tac-toe in C++

あれぇ、途中で止まってしまいました。
よく見ると「素人のおじさんでも分かる」酷いコードを出してます。

bool horizantal_checker2(vector<vector<char>> arr)
{
    for (int i = 0; i < 3; i++)
    {
        if (arr[i][0] == arr[i][1] and arr[i][1] == arr[i][2] and arr[i][0] == 'X')
        {
            return true;
        }
    }
    return false;
}
bool horizantal_checker3(vector<vector<char>> arr)
{
    for (int i = 0; i < 3; i++)
    {
        if (arr[i][0] == arr[i][1] and arr[i][1] == arr[i][2] and arr[i][0] == 'O')
        {
            return true;
        }
    }
    return false;
}
bool horizantal_checker4(vector<vector<char>> arr)
{
    for (int i = 0; i < 3; i++)
    {
        if (arr[i][0] == arr[i][1] and arr[i][1] == arr[i][2] and arr[i][0] == ' ')
        {
            return true;
        }
    }
    return false;
}
bool horizantal_checker5(vector<vector<char>> arr)
{
    for (int i = 0; i < 3; i++)
    {
        if (arr[i][0] == arr[i][1] and arr[i][1] == arr[i][2] and arr[i][0] == 'X')
        {
            return true;
        }
    }
    return false;
}
bool horizantal_checker6(vector<vector<char>> arr)
{
    for (int i = 0; i < 3; i++)
    {
        if (arr[i][0] == arr[i][1] and arr[i][1] == arr[i][2] and arr[i][0] == 'O')
        {
            return true;
        }
    }
    return false;
}

-- snip --

bool horizantal_checker23(vector<vector<char>> a

>>> 

行ごとの判別式すげえ。オレでも書かねえ。
止まっちゃいました。
さて、continue とか命じたら続きを書くかな?

continue
 in loop.ipynb
# %%
a = 'python'
for i in a:
    print(i)
# %%
for i in range(1,20,1):
    if i == 10:
        continue
    print(i)
# %%
for i in range(1,20,1):
    print(i)
    if i == 10:
        continue
# %%
for i in range(1,20,1):
    if i != 10:
        print(i)
        continue
# %%
for i in range(1,20,1):
    if i == 10:
        continue
    print(i)
# %%
for i in range(1,20,1):
    if i != 10:
        print(i)
        continue
    print(i)
# %%
for i in range(1,20,1):
    if i != 10:
        print(i)
        continue
^C

応答が止まったあとは GPU処理が 100% になってます。うーん。
おかしな応答しかしませんね。debug ログがみたいのだけど・・・

気を取り直して、phi4にします。

  • phi4 はちゃんと答えてくれました
  • ご丁寧に説明がちゃんと付きます。素晴らしい
  • tic-tac-toe.c まともに動きますね

Creating a simple Tic-Tac-Toe game in C involves >setting up a 3x3 grid and allowing two players to take >turns marking the
spaces. Here's a basic implementation:

#include <stdio.h>

#define SIZE 3

void printBoard(char board[SIZE][SIZE]) {
    printf("-------------\n");
    for (int i = 0; i < SIZE; i++) {
        printf("| %c | %c | %c |\n", board[i][0], board[i][1], board[i][2]);
        printf("-------------\n");
    }
}

int checkWin(char board[SIZE][SIZE]) {
    // Check rows and columns
    for (int i = 0; i < SIZE; i++) {
        if ((board[i][0] == board[i][1] && board[i][1] == board[i][2] && board[i][0] != ' ') ||
            (board[0][i] == board[1][i] && board[1][i] == board[2][i] && board[0][i] != ' '))
            return 1;
    }

    // Check diagonals
    if ((board[0][0] == board[1][1] && board[1][1] == board[2][2] && board[0][0] != ' ') ||
        (board[0][2] == board[1][1] && board[1][1] == board[2][0] && board[0][2] != ' '))
        return 1;

    return 0;
}

int checkDraw(char board[SIZE][SIZE]) {
    for (int i = 0; i < SIZE; i++)
        for (int j = 0; j < SIZE; j++)
            if (board[i][j] == ' ')
                return 0;

    return 1;
}

void playTicTacToe() {
    char board[SIZE][SIZE];
    char currentPlayer = 'X';
    int row, col, moveCount = 0;
    
    // Initialize the board
    for (int i = 0; i < SIZE; i++)
        for (int j = 0; j < SIZE; j++)
            board[i][j] = ' ';

    while (1) {
        printBoard(board);

        printf("Player %c, enter your move (row and column): ", currentPlayer);
        scanf("%d %d", &row, &col);

        if (row >= 0 && row < SIZE && col >= 0 && col < SIZE && board[row][col] == ' ') {
            board[row][col] = currentPlayer;
            moveCount++;

            if (checkWin(board)) {
                printBoard(board);
                printf("Player %c wins!\n", currentPlayer);
                break;
            } else if (checkDraw(board)) {
                printBoard(board);
                printf("It's a draw!\n");
                break;
            }

            // Switch player
            currentPlayer = (currentPlayer == 'X') ? 'O' : 'X';
        } else {
            printf("Invalid move. Try again.\n");
        }
    }
}

int main() {
    playTicTacToe();
    return 0;
}

Explanation:

  1. Board Initialization: A 3x3 grid is initialized > with spaces (' ') to represent empty cells.

  2. Printing the Board: printBoard function >displays the current state of the board.

  3. Win Check: The checkWin function checks all >possible winning conditions (rows, columns, diagonals).

  4. Draw Check: The checkDraw function verifies if >there are no empty spaces left without a winner.

  5. Game Loop: Players take turns entering their >moves until someone wins or the board is full, >resulting in a draw.

  1. Input Validation: Ensures that players enter >valid and unoccupied positions on the board.

This code provides a simple console-based Tic-Tac-Toe >game where two players can play against each other.

まあ、こーいうのは古典ですから、コレが書けなかった codegemma:2b は、環境の問題か、質問が悪かったか? というところで原因追究をしたいところですがそんなのは良いや遊びだから。

stackoverflow でよく見るやつ

phi4 先生に こんな、初心者の質問・・・をしてみます。

>> in php, which use for better date() or strftime() ?

In PHP, both `date()` and `strftime()` are used to format dates and times, but they have different characteristics that 
make them suitable for different situations:

### `date()`

- **Locale-independent**: `date()` uses the server's default locale settings. This means it will display date and time 
strings in a way consistent with your server's configuration, which might not be suitable if you need specific 
localizations.
  
- **Simplicity**: It is often simpler to use because it only requires one function call with format specifiers as its 
arguments.

- **Format Specifiers**: Uses English-based format characters (e.g., `Y` for a four-digit year, `m` for the month).

### Example:
```php
echo date('Y-m-d H:i:s'); // Outputs: 2023-10-01 12:34:56

### `strftime()`

- **Locale-dependent**: `strftime()` formats the date and time based on the current locale settings, which makes it more 
flexible for applications that need to support multiple languages and regional formats.

- **Customizability**: Allows users to set the locale using functions like `setlocale()`, enabling different formats 
depending on user preferences or system settings.

- **Format Specifiers**: Uses locale-specific format characters (e.g., `%Y` for a four-digit year, `%m` for the month).

### Example:
```php
setlocale(LC_TIME, 'fr_FR');
echo strftime('%A %d %B %Y'); // Outputs: mardi 01 octobre 2023 (if locale is set to French)

### Choosing Between `date()` and `strftime()`

- **Use `date()`** if you need a quick, simple way to format dates and times without worrying about localization. It's 
straightforward for most cases where the server's default settings are adequate.

- **Use `strftime()`** when you require locale-specific formatting. This is especially useful in multi-language 
applications or when users expect date formats consistent with their regional settings.

### Considerations

- As of PHP 8.1, `strftime()` has been deprecated, which suggests that for future-proofing your code, relying on `date()` 
and using the `intl` extension (for internationalization) might be a better approach if you need locale-specific 
formatting.
  
- When using `date()`, consider utilizing the `IntlDateFormatter` class from the `intl` extension for more comprehensive 
locale handling.

In summary, choose `date()` for simplicity and server consistency or `strftime()` for locale-dependent formatting. If 
locale support is crucial and you are working with a version of PHP that still supports `strftime()`, it may be useful. 
Otherwise, consider using `IntlDateFormatter` from the `intl` extension for more robust localization needs.

素人なら、ほとんどわからないレベルです。この精度で「文法的誤謬」を見つけるのは面倒。 

とはいえ、時々コンパイラは通るが、vscodeで指摘されるくらいのポカ、 typo( 変数名の末尾 "a"を "o" と入れ替えるくらいの) を出したりすることがあったので・・・

結局レビューを人間がやらないと。ランタイムでコケるコードは流石に少なくなったとはいえ可能ですし、「至極真面目にかつ」破壊的なコードが混じる可能性は0ではないです。まあ私より随分マシですが。
こういうところ「使う側のレベルを試されている」としか思えないのは疑いすぎでしょうか。

追補:deepseek-r1:14b で遊ぶ

  • 日本語は(落語の三題噺をお願いしたら)駄目でしたがさすが数学知識は十分な感じですね
  • まあ、出題内容が酷いといわれれば反省しか無いんですが。

>>> Description for acckerman function.

Okay, so I'm trying to understand the Ackermann function. I remember hearing about it in my algorithms class, but I never
really got a solid grasp on what it does or why it's important. Let me see if I can break this down.

-- snip --

So in general, Ackermann(1,k) = k + 2.

Therefore, Ackermann(1,7) would be 9. So then Ackermann(2,3)=Ackermann(1,7)=9.

-- snip --

Description:

  • Definition:
    The Ackermann function, denoted as ( A(m, n) ), is defined recursively with three cases:
  1. If ( m = 0 ): ( A(0, n) = n + 1 )
  2. If ( m > 0 ) and ( n = 0 ): ( A(m, 0) = A(m - 1, 1) )
  3. If ( m > 0 ) and ( n > 0 ): ( A(m, n) = A(m - 1, A(m, n - 1)) )

-- snip --

Conclusion:

The Ackermann function is a fundamental example in mathematical logic and computability theory, highlighting the
distinction between primitive recursive functions and more powerful computable functions. Its rapid growth rate makes it
impractical for large inputs but invaluable for theoretical insights.

  • 説明が全部終わるまでに2分ちょっと掛かっています。 これもある意味で「再帰での爆発的計算量」、計算機科学を学ぶ人が必ずやる古典問題ではあるんで当たり前ですかねぇ。
  • ポアンカレ予想ぶつけてみたらコレが饒舌でした。 
  • IMOの問題とか投げてみると面白いですかね。
0
1
0

Register as a new user and use Qiita more conveniently

  1. You get articles that match your needs
  2. You can efficiently read back useful information
  3. You can use dark theme
What you can do with signing up
0
1

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?