/Applications/Dictionary.app
터미널 창에서 단어를 찾을 수있는 bash 또는 applescript가 있습니까?
open -a /Applications/Dictionary.app/ --args word
--args를 무시하고 "검색 할 단어를 입력하십시오"라고 말합니다.
⌃ Control ⌘ Command D그러나 Mac Dictionary 개선 사항 은 작은 팝 오버뿐만 아니라 전체 앱을 시작하려고합니다.
/Applications/Dictionary.app
터미널 창에서 단어를 찾을 수있는 bash 또는 applescript가 있습니까?
open -a /Applications/Dictionary.app/ --args word
--args를 무시하고 "검색 할 단어를 입력하십시오"라고 말합니다.
⌃ Control ⌘ Command D그러나 Mac Dictionary 개선 사항 은 작은 팝 오버뿐만 아니라 전체 앱을 시작하려고합니다.
답변:
당신이 사용할 수있는...
open dict://my_word
... 사전 응용 프로그램을 열고 문자열을 조회합니다 my_word
. 여러 단어를 사용하려면 다음과 같은 것을 사용하십시오 open dict://"Big Bang Theory"
.
그러나 터미널에는 출력이 없습니다.
open
. 그러나 일반적으로 hints.macworld.com 은 숨겨진 보석의 잘 알려진 출처입니다. 나는 또한 문서화되지 않은 defaults write
명령 을 수집하는 다른 출처를 알고 있었지만, 그 사실을 기억하지 못하고 Google이 나를 도와주지 않았다 ...
open
슈퍼 유저에 얼마 전에 superuser.com/questions/4368/os-x-equivalent-of-windows-run-box/...
Python Objective-C 바인딩을 사용하면 작은 Python 스크립트 만 작성하여 내장 된 OS X Dictionary에서 가져올 수 있습니다. 다음 은이 스크립트를 자세히 설명 하는 게시물 입니다. "
#!/usr/bin/python
import sys
from DictionaryServices import *
def main():
try:
searchword = sys.argv[1].decode('utf-8')
except IndexError:
errmsg = 'You did not enter any terms to look up in the Dictionary.'
print errmsg
sys.exit()
wordrange = (0, len(searchword))
dictresult = DCSCopyTextDefinition(None, searchword, wordrange)
if not dictresult:
errmsg = "'%s' not found in Dictionary." % (searchword)
print errmsg.encode('utf-8')
else:
print dictresult.encode('utf-8')
if __name__ == '__main__':
main()
에 저장 dict.py
한 다음 실행하십시오.python dict.py dictation
print repr(dictresult.encode('utf-8'))
하면 나에게 이것을 보여줍니다 :'dictation |d\xc9\xaak\xcb\x88te\xc9\xaa\xca\x83(\xc9\x99)n| \xe2\x96\xb6noun [ mass noun ] 1 the action of dictating words to be typed, written down, or recorded on tape: the dictation of letters. \xe2\x80\xa2 the activity of taking down a passage that is dictated by a teacher as a test of spelling, writing, or language skills: passages for dictation. \xe2\x80\xa2 words that are dictated: the job will involve taking dictation, drafting ...'
나는 또한 제안 할 open dict://word
것이지만 Google 사전 API는 New Oxford American Dictionary도 사용합니다.
#!/usr/bin/env ruby
require "open-uri"
require "json"
require "cgi"
ARGV.each { |word|
response = open("http://www.google.com/dictionary/json?callback=dict_api.callbacks.id100&q=#{CGI.escape(word)}&sl=en&tl=en&restrict=pr,de").read
results = JSON.parse(response.sub(/dict_api.callbacks.id100\(/, "").sub(/,200,null\)$/, ""))
next unless results["primaries"]
results["primaries"][0]["entries"].select { |e| e["type"] == "meaning" }.each { |entry|
puts word + ": " + entry["terms"][0]["text"].gsub(/x3c\/?(em|i|b)x3e/, "").gsub("x27", "'")
}
}
Swift 4를 사용하여 해결책을 찾았습니다.
#!/usr/bin/swift
import Foundation
if (CommandLine.argc < 2) {
print("Usage: dictionary word")
}else{
let argument = CommandLine.arguments[1]
let result = DCSCopyTextDefinition(nil, argument as CFString, CFRangeMake(0, argument.count))?.takeRetainedValue() as String?
print(result ?? "")
}
dict.swift
chmod +x dict.swift
./dict.swift word
swiftc dict.swift
하고 실행./dict word
David Perace의 업데이트 된 코드는 몇 가지 색상과 줄을 추가합니다.
#!/usr/bin/python
# -*- coding: utf-8 -*-
import sys
import re
from DictionaryServices import *
class bcolors:
HEADER = '\033[95m'
OKBLUE = '\033[94m'
OKGREEN = '\033[92m'
WARNING = '\033[93m'
FAIL = '\033[91m'
ENDC = '\033[0m'
BOLD = '\033[1m'
UNDERLINE = '\033[4m'
def main():
try:
searchword = sys.argv[1].decode('utf-8')
except IndexError:
errmsg = 'You did not enter any terms to look up in the Dictionary.'
print errmsg
sys.exit()
wordrange = (0, len(searchword))
dictresult = DCSCopyTextDefinition(None, searchword, wordrange)
if not dictresult:
errmsg = "'%s' not found in Dictionary." % (searchword)
print errmsg.encode('utf-8')
else:
result = dictresult.encode('utf-8')
result = re.sub(r'\|(.+?)\|', bcolors.HEADER + r'/\1/' + bcolors.ENDC, result)
result = re.sub(r'▶', '\n\n ' + bcolors.FAIL + '▶ ' + bcolors.ENDC, result)
result = re.sub(r'• ', '\n ' + bcolors.OKGREEN + '• ' + bcolors.ENDC, result)
result = re.sub(r'(‘|“)(.+?)(’|”)', bcolors.WARNING + r'“\2”' + bcolors.ENDC, result)
print result
if __name__ == '__main__':
main()
Dictionary OSX를 사용해보십시오 (다른 답변을 고수하고 Python 이외의 솔루션을 원한 후에 이것을 만들었습니다). 의 정의를 사용합니다 Dictionary.app
.
dictionary cat
# cat 1 |kat| ▶noun 1 a small domesticated carnivorous mammal with soft fur...
그것은 사용 DictionaryKit , OSX에서 사용할 수있는 개인 사전 서비스에 대한 래퍼입니다. 이것이 NSHipster 에서 어떻게 작동하는지에 대한 흥미로운 배경 정보가 있습니다.
이 github 저장소를 확인하십시오 : https://github.com/aztack/osx-dictionary
설치: brew install https://raw.githubusercontent.com/takumakei/osx-dictionary/master/osx-dictionary.rb --HEAD
나는 비슷한 것을 찾기 위해이 게시물을 보았습니다. 사용 가능한 옵션에 만족하지 않아 간단한 스크립트를 만들었습니다. 텍스트 기반 음성을 사용하는 터미널 기반 동의어 사전입니다. 관심이있을 수 있습니다 ...
터미널에서 Dictionary.app를 사용하는 방법을 찾으려면 다음 스레드를 확인하십시오 . https://discussions.apple.com/thread/2679911?start=0&tstart=0