1

私は家から地球の反対側に住んでおり (現在は GMT+1、現在は GMT+13 です)、古い地上波ラジオ局が恋しいです。それにはShoutcastストリームがあり、タイムゾーンを私のタイムゾーンに同期させる方法で、聞きたいときにいつでも利用できるように、12時間だけ遅らせたいと思います.

これは、サーバー ホストで実行されるスクリプトとして想定しています。

単純なアプローチは、12 時間の遅延全体を保存するのに十分な RAM をリングバッファーに割り当て、streamripper からの出力をパイプすることです。しかし、ストリームは 128kbps の mp3 です。つまり、(128/8) * 60 * 60 = 1 時間あたり ~56MB、つまり 12 時間のバッファー全体で 675MB となり、あまり実用的ではありません。さらに、特定のタイムアウト後にプロセスを強制終了するだけで、サーバーホストに対処する必要がある場合があります。

では、実際に実行可能な戦略にはどのようなものがあるでしょうか?

4

3 に答える 3

1

ストリームリッパーは簡単な方法で、おそらく正しい方法ですが、プログラマーの方法でやりたい場合は....

  • ほとんどの開発マシンには、大量の RAM が搭載されています。675 MB を確保できないと確信していますか?
  • 出力をバッファに保存するのではなく、一度に 1 時間など、1 つまたは複数のファイルに保存できませんか? (基本的に、独自のストリーム リッパーを作成することになります)
  • 品質の低下を許容できる場合は、ストリームをより低いビットレートに変換します
于 2008-12-03T21:10:18.320 に答える
1

Ripshout などのストリーム リッパーでダウンロードしてみませんか?

于 2008-12-03T20:05:46.513 に答える
0

私自身の質問に答えるために、30 分ごとに cron ジョブとして起動するスクリプトを次に示します。着信ストリームを 5 分のチャンク (または FILE_SECONDS で設定) で特定のディレクトリにダンプします。ブロック境界はクロックに同期され、現在の時間チャンクが終了するまで書き込みを開始しないため、実行中の cron ジョブは、データを 2 倍にしたりギャップを残したりすることなくオーバーラップできます。ファイルには (エポック時間 % 24 時間の秒数).str という名前が付けられます。

プレーヤーはまだ作成していませんが、出力ディレクトリを Web アクセス可能な場所に設定し、ローカルで実行するスクリプトを作成して、ここと同じタイムスタンプ計算コードを使用して順次アクセスする予定でした (12 時間前のタイムスタンプ) .str に追加し、もう一度それらをつなぎ合わせてから、ローカルで叫ぶサーバーとしてセットアップします。次に、音楽プレーヤーをhttp://localhost:portに向けるだけで取得できます。

編集: タイムアウトと改善されたエラー状態チェックを備えた新しいバージョンと、優れたログ ファイル。これは現在、私の(安い)共有ウェブホストで問題なく実行されています。

#!/usr/bin/python
import time
import urllib
import datetime
import os
import socket

# number of seconds for each file
FILE_SECONDS = 300

# run for 30 minutes
RUN_TIME = 60*30

# size in bytes of each read block
# 16384 = 1 second
BLOCK_SIZE = 16384

MAX_TIMEOUTS = 10

# where to save the files
OUTPUT_DIRECTORY = "dir/"
# URL for original stream
URL = "http://url/path:port"

debug = True
log = None
socket.setdefaulttimeout(10)

class DatestampedWriter:

    # output_path MUST have trailing '/'
    def __init__(self, output_path, run_seconds ):
        self.path = output_path
        self.file = None
        # needs to be -1 to avoid issue when 0 is a real timestamp
        self.curr_timestamp = -1
        self.running = False
        # don't start until the _end_ of the current time block
        # so calculate an initial timestamp as (now+FILE_SECONDS)
        self.initial_timestamp = self.CalcTimestamp( FILE_SECONDS )
        self.final_timestamp = self.CalcTimestamp( run_seconds )
        if debug:
            log = open(OUTPUT_DIRECTORY+"log_"+str(self.initial_timestamp)+".txt","w")
            log.write("initial timestamp "+str(self.initial_timestamp)+", final "+str(self.final_timestamp)+" (diff "+str(self.final_timestamp-self.initial_timestamp)+")\n")

        self.log = log

    def Shutdown(self):
        if self.file != None:
            self.file.close()

    # write out buf
    # returns True when we should stop
    def Write(self, buf):
        # check that we have the correct file open

        # get timestamp
        timestamp = self.CalcTimestamp()

        if not self.running :
            # should we start?
            if timestamp == self.initial_timestamp:
                if debug:
                    self.log.write( "starting running now\n" )
                    self.log.flush()
                self.running = True

        # should we open a new file?
        if self.running and timestamp != self.curr_timestamp:
            if debug:
                self.log.write( "new timestamp "+str(timestamp)+"\n" )
                self.log.flush()
            # close old file
            if ( self.file != None ):
                self.file.close()
            # time to stop?
            if ( self.curr_timestamp == self.final_timestamp ):
                if debug:
                    self.log.write( " -- time to stop\n" )
                    self.log.flush()
                self.running = False
                return True
            # open new file
            filename = self.path+str(timestamp)+".str"
            #if not os.path.exists(filename):
            self.file = open(filename, "w")
            self.curr_timestamp = int(timestamp)
            #else:
                # uh-oh
            #   if debug:
            #       self.log.write(" tried to open but failed, already there\n")
            #   self.running = False

        # now write bytes
        if self.running:
            #print("writing "+str(len(buf)))
            self.file.write( buf )

        return False

    def CalcTimestamp(self, seconds_offset=0):
        t = datetime.datetime.now()
        seconds = time.mktime(t.timetuple())+seconds_offset
        # FILE_SECONDS intervals, 24 hour days
        timestamp = seconds - ( seconds % FILE_SECONDS )
        timestamp = timestamp % 86400
        return int(timestamp)


writer = DatestampedWriter(OUTPUT_DIRECTORY, RUN_TIME)

writer_finished = False

# while been running for < (RUN_TIME + 5 minutes)
now = time.mktime(datetime.datetime.now().timetuple())
stop_time = now + RUN_TIME + 5*60
while not writer_finished and time.mktime(datetime.datetime.now().timetuple())<stop_time:

    now = time.mktime(datetime.datetime.now().timetuple())

    # open the stream
    if debug:
        writer.log.write("opening stream... "+str(now)+"/"+str(stop_time)+"\n")
        writer.log.flush()
    try:
        u = urllib.urlopen(URL)
    except socket.timeout:
        if debug:
            writer.log.write("timed out, sleeping 60 seconds\n")
            writer.log.flush()
        time.sleep(60)
        continue
    except IOError:
        if debug:
            writer.log.write("IOError, sleeping 60 seconds\n")
            writer.log.flush()
        time.sleep(60)
        continue
        # read 1 block of input
    buf = u.read(BLOCK_SIZE)

    timeouts = 0
    while len(buf) > 0 and not writer_finished and now<stop_time and timeouts<MAX_TIMEOUTS:
        # write to disc
        writer_finished = writer.Write(buf)

        # read 1 block of input
        try:
            buf = u.read(BLOCK_SIZE)
        except socket.timeout:
            # catch exception but do nothing about it
            if debug:
                writer.log.write("read timed out ("+str(timeouts)+")\n")
                writer.log.flush()
            timeouts = timeouts+1

        now = time.mktime(datetime.datetime.now().timetuple())
    # stream has closed,
    if debug:
        writer.log.write("read loop bailed out: timeouts "+str(timeouts)+", time "+str(now)+"\n")
        writer.log.flush()
    u.close();
    # sleep 1 second before trying to open the stream again
    time.sleep(1)

    now = time.mktime(datetime.datetime.now().timetuple())

writer.Shutdown()
于 2008-12-04T14:24:57.840 に答える