私たちは現在、〜8Kのメッセージを含むSlackチャンネルをすべてJenkinsの統合から持っています。そのチャンネルからすべてのメッセージを削除するためのプログラム的な方法はありますか? Webインターフェースは一度に100個のメッセージしか削除できません。
私はすぐに誰かがすでにヘルパーを作っていることがわかりました: slack-cleaner このために。
そして私にとってはそれだけです:
slack-cleaner --token=<TOKEN> --message --channel jenkins --user "*" --perform
デフォルトのcleanコマンドは私にとってはうまくいかず、次のようなエラーメッセージを表示しました。
$ slack-cleaner --token=<TOKEN> --message --channel <CHANNEL>
Running slack-cleaner v0.2.4
Channel, direct message or private group not found
しかし、以下は問題なくボットメッセージをきれいにするために働いた
slack-cleaner --token <TOKEN> --message --group <CHANNEL> --bot --perform --rate 1
または
slack-cleaner --token <TOKEN> --message --group <CHANNEL> --user "*" --perform --rate 1
すべてのメッセージを消去します。
スラックapiレート制限によるHTTP 429 Too Many Requests
エラーを回避するために、1秒のレート制限を使用します。どちらの場合も、チャンネル名は#
記号なしで指定されました
パブリック/プライベートチャンネルやチャットからメッセージを削除するための簡単なノードスクリプトを書きました。あなたはそれを修正して使うことができます。
https://Gist.github.com/firatkucuk/ee898bc919021da621689f5e47e7abac
まず、スクリプト設定セクションでトークンを変更してからスクリプトを実行します。
node ./delete-slack-messages CHANNEL_ID
次のURLからあなたのトークンを学ぶことができます。
https://api.slack.com/custom-integrations/legacy-tokens
また、チャンネルIDはブラウザのURLバーに表示されます。
!! UPDATE !!
@ niels-van-reijmersdalがコメントで述べたように。
この機能は削除されました。詳細については、このスレッドを参照してください:Twitter.com/slackhq/status/467182697979588608?lang=ja
!! END UPDATE !!
これはTwitterのSlackHQからのいい答えです、そしてそれはどんな第三者のものもなしで動作します。 https://Twitter.com/slackhq/status/467182697979588608?lang=ja
特定のチャンネルのアーカイブ( http://my.slack.com/archives )ページで一括削除できます。メニューの[メッセージの削除]を探します。
プログラム的に行う必要がない他の人のために、ここに簡単な方法があります:
(おそらく有料ユーザーのみ)
通常、このオプションを「1日」に設定してチャンネルを何らかのコンテキストで終了させてから、上記の設定に戻り、保存ポリシーを「デフォルト」に戻してこれからも保管してください。
注:
Luke氏は次のように指摘しています。このオプションが非表示になっている場合:グローバルワークスペースの管理者設定、メッセージの保存と削除に移動し、[ワークスペースメンバーにこれらの設定を上書きさせます]
オプション1 1日後に自動的にメッセージを削除するようにSlackチャンネルを設定できますが、それは少し隠されています。まず、Slack Workspace SettingsのMessage Retention&Deletionに行き、 "Workspaceメンバーがこれらの設定を上書きできるようにする"をチェックします。その後、Slackクライアントでチャンネルを開いて歯車をクリックし、[メッセージの保存期間を編集...]をクリックします。
Option 2他の人が言っていたスラッククリーナーのコマンドラインツール。
オプション以下は私がプライベートチャンネルをクリアするのに使用する小さなPythonスクリプトです。プログラムで削除を制御したい場合は、良い出発点になります。残念ながらSlackには一括削除APIがなく、個々の削除を1分あたり50に制限しているため、やむを得ず長い時間がかかります。
# -*- coding: utf-8 -*-
"""
Requirement: pip install slackclient
"""
import multiprocessing.dummy, ctypes, time, traceback, datetime
from slackclient import SlackClient
legacy_token = raw_input("Enter token of an admin user. Get it from https://api.slack.com/custom-integrations/legacy-tokens >> ")
slack_client = SlackClient(legacy_token)
name_to_id = dict()
res = slack_client.api_call(
"groups.list", # groups are private channels, conversations are public channels. Different API.
exclude_members=True,
)
print ("Private channels:")
for c in res['groups']:
print(c['name'])
name_to_id[c['name']] = c['id']
channel = raw_input("Enter channel name to clear >> ").strip("#")
channel_id = name_to_id[channel]
pool=multiprocessing.dummy.Pool(4) #slack rate-limits the API, so not much benefit to more threads.
count = multiprocessing.dummy.Value(ctypes.c_int,0)
def _delete_message(message):
try:
success = False
while not success:
res= slack_client.api_call(
"chat.delete",
channel=channel_id,
ts=message['ts']
)
success = res['ok']
if not success:
if res.get('error')=='ratelimited':
# print res
time.sleep(float(res['headers']['Retry-After']))
else:
raise Exception("got error: %s"%(str(res.get('error'))))
count.value += 1
if count.value % 50==0:
print(count.value)
except:
traceback.print_exc()
retries = 3
hours_in_past = int(raw_input("How many hours in the past should messages be kept? Enter 0 to delete them all. >> "))
latest_timestamp = ((datetime.datetime.utcnow()-datetime.timedelta(hours=hours_in_past)) - datetime.datetime(1970,1,1)).total_seconds()
print("deleting messages...")
while retries > 0:
#see https://api.slack.com/methods/conversations.history
res = slack_client.api_call(
"groups.history",
channel=channel_id,
count=1000,
latest=latest_timestamp,)#important to do paging. Otherwise Slack returns a lot of already-deleted messages.
if res['messages']:
latest_timestamp = min(float(m['ts']) for m in res['messages'])
print datetime.datetime.utcfromtimestamp(float(latest_timestamp)).strftime("%r %d-%b-%Y")
pool.map(_delete_message, res['messages'])
if not res["has_more"]: #Slack API seems to lie about this sometimes
print ("No data. Sleeping...")
time.sleep(1.0)
retries -= 1
else:
retries=10
print("Done.")
注意してください、そのスクリプトはパブリックチャンネルをリストしてクリアするために修正を必要とするでしょう。それらのAPIメソッドは、グループではなくチャンネルです。
ヒント:あなたがスラッククリーナーを使用するつもりなら https://github.com/kfei/slack-cleaner
トークンを生成する必要があります。 https://api.slack.com/custom-integrations/legacy-tokens
ここにあなたのスラックチャンネル/グループ/ imメッセージを一括削除するためのすばらしいクロム拡張機能があります - https://slackext.com/deleter 、あなたはスター、時間範囲、またはユーザーによってメッセージをフィルターにかけることができます。ところで、それはまた最近のバージョンのすべてのメッセージのロードをサポートしています、そしてあなたは必要に応じてあなたの〜8kのメッセージをロードすることができます。
Pythonが好きで、スラックAPIから レガシーAPIトークン を取得した場合は、次のようにしてユーザーに送信したすべてのプライベートメッセージを削除できます。
import requests
import sys
import time
from json import loads
# config - replace the bit between quotes with your "token"
token = 'xoxp-854385385283-5438342854238520-513620305190-505dbc3e1c83b6729e198b52f128ad69'
# replace 'Carl' with name of the person you were messaging
dm_name = 'Carl'
# helper methods
api = 'https://slack.com/api/'
suffix = 'token={0}&pretty=1'.format(token)
def fetch(route, args=''):
'''Make a GET request for data at `url` and return formatted JSON'''
url = api + route + '?' + suffix + '&' + args
return loads(requests.get(url).text)
# find the user whose dm messages should be removed
target_user = [i for i in fetch('users.list')['members'] if dm_name in i['real_name']]
if not target_user:
print(' ! your target user could not be found')
sys.exit()
# find the channel with messages to the target user
channel = [i for i in fetch('im.list')['ims'] if i['user'] == target_user[0]['id']]
if not channel:
print(' ! your target channel could not be found')
sys.exit()
# fetch and delete all messages
print(' * querying for channel', channel[0]['id'], 'with target user', target_user[0]['id'])
args = 'channel=' + channel[0]['id'] + '&limit=100'
result = fetch('conversations.history', args=args)
messages = result['messages']
print(' * has more:', result['has_more'], result.get('response_metadata', {}).get('next_cursor', ''))
while result['has_more']:
cursor = result['response_metadata']['next_cursor']
result = fetch('conversations.history', args=args + '&cursor=' + cursor)
messages += result['messages']
print(' * next page has more:', result['has_more'])
for idx, i in enumerate(messages):
# tier 3 method rate limit: https://api.slack.com/methods/chat.delete
# all rate limits: https://api.slack.com/docs/rate-limits#tiers
time.sleep(1.05)
result = fetch('chat.delete', args='channel={0}&ts={1}'.format(channel[0]['id'], i['ts']))
print(' * deleted', idx+1, 'of', len(messages), 'messages', i['text'])
if result.get('error', '') == 'ratelimited':
print('\n ! sorry there have been too many requests. Please wait a little bit and try again.')
sys.exit()