prompt
large_stringlengths
70
991k
completion
large_stringlengths
0
1.02k
<|file_name|>test_serializers.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*- import mock from rest_framework import serializers from waffle.testutils import override_switch from olympia.amo.tests import ( BaseTestCase, addon_factory, collection_factory, TestCase, user_factory) from olympia.bandwagon.models import CollectionAddon from olympia.bandwagon.serializers import ( CollectionAddonSerializer, CollectionAkismetSpamValidator, CollectionSerializer, CollectionWithAddonsSerializer) from olympia.lib.akismet.models import AkismetReport class TestCollectionAkismetSpamValidator(TestCase): def setUp(self): self.validator = CollectionAkismetSpamValidator( ('name', 'description')) serializer = mock.Mock() serializer.instance = collection_factory( name='name', description='Big Cheese') request = mock.Mock() request.user = user_factory() request.META = {} serializer.context = {'request': request} self.validator.set_context(serializer) self.data = { 'name': {'en-US': 'Collection', 'fr': u'Collection'}, 'description': {'en-US': 'Big Cheese', 'fr': u'une gránd fromagé'}, 'random_data': {'en-US': 'to ignore'}, 'slug': 'cheese'} @override_switch('akismet-spam-check', active=False) @mock.patch('olympia.lib.akismet.models.AkismetReport.comment_check') def test_waffle_off(self, comment_check_mock): self.validator(self.data) # No Akismet checks assert AkismetReport.objects.count() == 0 comment_check_mock.assert_not_called() @override_switch('akismet-spam-check', active=True) @mock.patch('olympia.lib.akismet.models.AkismetReport.comment_check') def test_ham(self, comment_check_mock):<|fim▁hole|> comment_check_mock.return_value = AkismetReport.HAM self.validator(self.data) # Akismet check is there assert AkismetReport.objects.count() == 2 name_report = AkismetReport.objects.first() # name will only be there once because it's duplicated. assert name_report.comment_type == 'collection-name' assert name_report.comment == self.data['name']['en-US'] summary_report = AkismetReport.objects.last() # en-US description won't be there because it's an existing description assert summary_report.comment_type == 'collection-description' assert summary_report.comment == self.data['description']['fr'] assert comment_check_mock.call_count == 2 @override_switch('akismet-spam-check', active=True) @mock.patch('olympia.lib.akismet.models.AkismetReport.comment_check') def test_spam(self, comment_check_mock): comment_check_mock.return_value = AkismetReport.MAYBE_SPAM with self.assertRaises(serializers.ValidationError): self.validator(self.data) # Akismet check is there assert AkismetReport.objects.count() == 2 name_report = AkismetReport.objects.first() # name will only be there once because it's duplicated. assert name_report.comment_type == 'collection-name' assert name_report.comment == self.data['name']['en-US'] summary_report = AkismetReport.objects.last() # en-US description won't be there because it's an existing description assert summary_report.comment_type == 'collection-description' assert summary_report.comment == self.data['description']['fr'] # After the first comment_check was spam, additinal ones are skipped. assert comment_check_mock.call_count == 1 class TestCollectionSerializer(BaseTestCase): serializer = CollectionSerializer def setUp(self): super(TestCollectionSerializer, self).setUp() self.user = user_factory() self.collection = collection_factory() self.collection.update(author=self.user) def serialize(self): return self.serializer(self.collection).data def test_basic(self): data = self.serialize() assert data['id'] == self.collection.id assert data['uuid'] == self.collection.uuid assert data['name'] == {'en-US': self.collection.name} assert data['description'] == {'en-US': self.collection.description} assert data['url'] == self.collection.get_abs_url() assert data['addon_count'] == self.collection.addon_count assert data['modified'] == ( self.collection.modified.replace(microsecond=0).isoformat() + 'Z') assert data['author']['id'] == self.user.id assert data['slug'] == self.collection.slug assert data['public'] == self.collection.listed assert data['default_locale'] == self.collection.default_locale class TestCollectionAddonSerializer(BaseTestCase): def setUp(self): self.collection = collection_factory() self.addon = addon_factory() self.collection.add_addon(self.addon) self.item = CollectionAddon.objects.get(addon=self.addon, collection=self.collection) self.item.comments = u'Dis is nice' self.item.save() def serialize(self): return CollectionAddonSerializer(self.item).data def test_basic(self): data = self.serialize() assert data['addon']['id'] == self.collection.addons.all()[0].id assert data['notes'] == {'en-US': self.item.comments} class TestCollectionWithAddonsSerializer(TestCollectionSerializer): serializer = CollectionWithAddonsSerializer def setUp(self): super(TestCollectionWithAddonsSerializer, self).setUp() self.addon = addon_factory() self.collection.add_addon(self.addon) def serialize(self): mock_viewset = mock.MagicMock() collection_addons = CollectionAddon.objects.filter( addon=self.addon, collection=self.collection) mock_viewset.get_addons_queryset.return_value = collection_addons return self.serializer( self.collection, context={'view': mock_viewset}).data def test_basic(self): super(TestCollectionWithAddonsSerializer, self).test_basic() collection_addon = CollectionAddon.objects.get( addon=self.addon, collection=self.collection) data = self.serialize() assert data['addons'] == [ CollectionAddonSerializer(collection_addon).data ] assert data['addons'][0]['addon']['id'] == self.addon.id<|fim▁end|>
<|file_name|>__init__.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*- from __future__ import absolute_import, unicode_literals, division from ._version import __version__, __version_info__ # noqa from .decorators import route, resource, asynchronous from .helpers import use from .relationship import Relationship __all__ = [ 'route', 'resource',<|fim▁hole|>]<|fim▁end|>
'asynchronous', 'use', 'Relationship'
<|file_name|>PiskvorkCommand.java<|end_file_name|><|fim▁begin|>package piskvork; /** * Root interface for a Piskvork command. A command must provide a string to * send to the AI, and a method to validate the response. */ public interface PiskvorkCommand { /** * Get the string for this command to send to the AI. * @return String identifier of the command, e.g. TURN or MESSAGE, plus * any other parameters to send to the AI. */ String getCommandString(); /** * Return whether or not this command requires a response. * @return True by default, overridden to false if required. */ default boolean requiresResponse() { return true; } /** * Validate a response for this command. * @param response Response to validate * @return Boolean representing whether this response is valid */ default boolean validateResponse(String response) { return true; } <|fim▁hole|><|fim▁end|>
}
<|file_name|>trace.rs<|end_file_name|><|fim▁begin|>/* This Source Code Form is subject to the terms of the Mozilla Public * License, v. 2.0. If a copy of the MPL was not distributed with this * file, You can obtain one at http://mozilla.org/MPL/2.0/. */ //! Utilities for tracing JS-managed values. //! //! The lifetime of DOM objects is managed by the SpiderMonkey Garbage //! Collector. A rooted DOM object implementing the interface `Foo` is traced //! as follows: //! //! 1. The GC calls `_trace` defined in `FooBinding` during the marking //! phase. (This happens through `JSClass.trace` for non-proxy bindings, and //! through `ProxyTraps.trace` otherwise.) //! 2. `_trace` calls `Foo::trace()` (an implementation of `JSTraceable`). //! This is typically derived via a `#[dom_struct]` (implies `#[jstraceable]`) annotation. //! Non-JS-managed types have an empty inline `trace()` method, //! achieved via `no_jsmanaged_fields!` or similar. //! 3. For all fields, `Foo::trace()` //! calls `trace()` on the field. //! For example, for fields of type `JS<T>`, `JS<T>::trace()` calls //! `trace_reflector()`. //! 4. `trace_reflector()` calls `trace_object()` with the `JSObject` for the //! reflector. //! 5. `trace_object()` calls `JS_CallTracer()` to notify the GC, which will //! add the object to the graph, and will trace that object as well. //! 6. When the GC finishes tracing, it [`finalizes`](../index.html#destruction) //! any reflectors that were not reachable. //! //! The `no_jsmanaged_fields!()` macro adds an empty implementation of `JSTraceable` to //! a datatype. use dom::bindings::js::JS; use dom::bindings::refcounted::Trusted; use dom::bindings::utils::{Reflectable, Reflector, WindowProxyHandler}; use script_task::ScriptChan; use cssparser::RGBA; use encoding::types::EncodingRef; use geom::matrix2d::Matrix2D; use geom::rect::Rect; use html5ever::tree_builder::QuirksMode; use hyper::header::Headers; use hyper::method::Method; use js::jsapi::{JSObject, JSTracer, JS_CallTracer, JSGCTraceKind}; use js::jsval::JSVal; use js::rust::{Cx, rt}; use layout_interface::{LayoutRPC, LayoutChan}; use libc; use msg::constellation_msg::{PipelineId, SubpageId, WindowSizeData}; use net::image_cache_task::ImageCacheTask; use net::storage_task::StorageType; use script_traits::ScriptControlChan; use script_traits::UntrustedNodeAddress; use msg::compositor_msg::ScriptListener; use msg::constellation_msg::ConstellationChan; use util::smallvec::{SmallVec1, SmallVec}; use util::str::{LengthOrPercentageOrAuto}; use std::cell::{Cell, RefCell}; use std::collections::HashMap; use std::collections::hash_state::HashState; use std::ffi::CString; use std::hash::{Hash, Hasher}; use std::old_io::timer::Timer; use std::rc::Rc; use std::sync::mpsc::{Receiver, Sender}; use string_cache::{Atom, Namespace}; use style::properties::PropertyDeclarationBlock; use url::Url; /// A trait to allow tracing (only) DOM objects. pub trait JSTraceable { /// Trace `self`. fn trace(&self, trc: *mut JSTracer); } impl<T: Reflectable> JSTraceable for JS<T> { fn trace(&self, trc: *mut JSTracer) { trace_reflector(trc, "", self.reflector()); } } no_jsmanaged_fields!(EncodingRef); no_jsmanaged_fields!(Reflector); /// Trace a `JSVal`. pub fn trace_jsval(tracer: *mut JSTracer, description: &str, val: JSVal) { if !val.is_markable() { return; } unsafe { let name = CString::from_slice(description.as_bytes()); (*tracer).debugPrinter = None; (*tracer).debugPrintIndex = -1; (*tracer).debugPrintArg = name.as_ptr() as *const libc::c_void; debug!("tracing value {}", description); JS_CallTracer(tracer, val.to_gcthing(), val.trace_kind()); } } /// Trace the `JSObject` held by `reflector`. #[allow(unrooted_must_root)] pub fn trace_reflector(tracer: *mut JSTracer, description: &str, reflector: &Reflector) { trace_object(tracer, description, reflector.get_jsobject()) } /// Trace a `JSObject`. pub fn trace_object(tracer: *mut JSTracer, description: &str, obj: *mut JSObject) { unsafe { let name = CString::from_slice(description.as_bytes()); (*tracer).debugPrinter = None; (*tracer).debugPrintIndex = -1; (*tracer).debugPrintArg = name.as_ptr() as *const libc::c_void; debug!("tracing {}", description); JS_CallTracer(tracer, obj as *mut libc::c_void, JSGCTraceKind::JSTRACE_OBJECT); } } impl<T: JSTraceable> JSTraceable for RefCell<T> { fn trace(&self, trc: *mut JSTracer) { self.borrow().trace(trc) } } impl<T: JSTraceable> JSTraceable for Rc<T> { fn trace(&self, trc: *mut JSTracer) { (**self).trace(trc) } } impl<T: JSTraceable> JSTraceable for Box<T> { fn trace(&self, trc: *mut JSTracer) { (**self).trace(trc) } } impl<T: JSTraceable+Copy> JSTraceable for Cell<T> { fn trace(&self, trc: *mut JSTracer) { self.get().trace(trc) } } impl JSTraceable for *mut JSObject { fn trace(&self, trc: *mut JSTracer) { trace_object(trc, "object", *self); } } impl JSTraceable for JSVal { fn trace(&self, trc: *mut JSTracer) { trace_jsval(trc, "val", *self); } } // XXXManishearth Check if the following three are optimized to no-ops // if e.trace() is a no-op (e.g it is an no_jsmanaged_fields type) impl<T: JSTraceable> JSTraceable for Vec<T> { #[inline] fn trace(&self, trc: *mut JSTracer) { for e in self.iter() { e.trace(trc); } } } // XXXManishearth Check if the following three are optimized to no-ops // if e.trace() is a no-op (e.g it is an no_jsmanaged_fields type) impl<T: JSTraceable + 'static> JSTraceable for SmallVec1<T> { #[inline] fn trace(&self, trc: *mut JSTracer) { for e in self.iter() { e.trace(trc); } } } impl<T: JSTraceable> JSTraceable for Option<T> { #[inline] fn trace(&self, trc: *mut JSTracer) { self.as_ref().map(|e| e.trace(trc)); } } impl<K,V,S> JSTraceable for HashMap<K, V, S> where K: Hash + Eq + JSTraceable, V: JSTraceable, S: HashState, <S as HashState>::Hasher: Hasher, { #[inline] fn trace(&self, trc: *mut JSTracer) { for (k, v) in self.iter() { k.trace(trc); v.trace(trc); } } } impl<A: JSTraceable, B: JSTraceable> JSTraceable for (A, B) {<|fim▁hole|> b.trace(trc); } } no_jsmanaged_fields!(bool, f32, f64, String, Url); no_jsmanaged_fields!(usize, u8, u16, u32, u64); no_jsmanaged_fields!(isize, i8, i16, i32, i64); no_jsmanaged_fields!(Sender<T>); no_jsmanaged_fields!(Receiver<T>); no_jsmanaged_fields!(Rect<T>); no_jsmanaged_fields!(ImageCacheTask, ScriptControlChan); no_jsmanaged_fields!(Atom, Namespace, Timer); no_jsmanaged_fields!(Trusted<T>); no_jsmanaged_fields!(PropertyDeclarationBlock); // These three are interdependent, if you plan to put jsmanaged data // in one of these make sure it is propagated properly to containing structs no_jsmanaged_fields!(SubpageId, WindowSizeData, PipelineId); no_jsmanaged_fields!(QuirksMode); no_jsmanaged_fields!(Cx); no_jsmanaged_fields!(rt); no_jsmanaged_fields!(Headers, Method); no_jsmanaged_fields!(ConstellationChan); no_jsmanaged_fields!(LayoutChan); no_jsmanaged_fields!(WindowProxyHandler); no_jsmanaged_fields!(UntrustedNodeAddress); no_jsmanaged_fields!(LengthOrPercentageOrAuto); no_jsmanaged_fields!(RGBA); no_jsmanaged_fields!(Matrix2D<T>); no_jsmanaged_fields!(StorageType); impl JSTraceable for Box<ScriptChan+Send> { #[inline] fn trace(&self, _trc: *mut JSTracer) { // Do nothing } } impl<'a> JSTraceable for &'a str { #[inline] fn trace(&self, _: *mut JSTracer) { // Do nothing } } impl<A,B> JSTraceable for fn(A) -> B { #[inline] fn trace(&self, _: *mut JSTracer) { // Do nothing } } impl JSTraceable for Box<ScriptListener+'static> { #[inline] fn trace(&self, _: *mut JSTracer) { // Do nothing } } impl JSTraceable for Box<LayoutRPC+'static> { #[inline] fn trace(&self, _: *mut JSTracer) { // Do nothing } }<|fim▁end|>
#[inline] fn trace(&self, trc: *mut JSTracer) { let (ref a, ref b) = *self; a.trace(trc);
<|file_name|>__init__.py<|end_file_name|><|fim▁begin|># Copyright (c) 2007 The Hewlett-Packard Development Company # All rights reserved. # # The license below extends only to copyright in the software and shall # not be construed as granting a license to any other intellectual # property including but not limited to intellectual property relating # to a hardware implementation of the functionality of the software # licensed hereunder. You may use the software subject to the license # terms below provided that you ensure that this notice is replicated # unmodified and in its entirety in all distributions of the software, # modified or unmodified, in source code or in binary form. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: redistributions of source code must retain the above copyright # notice, this list of conditions and the following disclaimer; # redistributions in binary form must reproduce the above copyright # notice, this list of conditions and the following disclaimer in the # documentation and/or other materials provided with the distribution; # neither the name of the copyright holders nor the names of its # contributors may be used to endorse or promote products derived from # this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS # "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT<|fim▁hole|># LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, # DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY # THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT # (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE # OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. # # Authors: Gabe Black categories = ["convert_floating_point_to_floating_point", "convert_floating_point_to_xmm_integer", "convert_floating_point_to_mmx_integer", "convert_floating_point_to_gpr_integer"] microcode = ''' # SSE instructions ''' for category in categories: exec "import %s as cat" % category microcode += cat.microcode<|fim▁end|>
# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR # A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT # OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, # SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
<|file_name|>LoginDeconnectionServlet.java<|end_file_name|><|fim▁begin|>package coop.ekologia.presentation.controller.user; import java.io.IOException; import javax.inject.Inject; import javax.servlet.ServletException; import javax.servlet.annotation.WebServlet; import javax.servlet.http.HttpServlet; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; import coop.ekologia.presentation.EkologiaServlet; import coop.ekologia.presentation.session.LoginSession; /** * Servlet implementation class LoginConnectionServlet<|fim▁hole|>@WebServlet(LoginDeconnectionServlet.routing) public class LoginDeconnectionServlet extends EkologiaServlet { private static final long serialVersionUID = 1L; public static final String routing = "/login/deconnection"; public static final String routing(HttpServletRequest request) { return getUrl(request, routing); } @Inject LoginSession loginSession; /** * @see HttpServlet#HttpServlet() */ public LoginDeconnectionServlet() { super(); // TODO Auto-generated constructor stub } /** * @see HttpServlet#doGet(HttpServletRequest request, HttpServletResponse response) */ protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException { loginSession.setUser(null); response.sendRedirect(request.getHeader("referer")); } /** * @see HttpServlet#doPost(HttpServletRequest request, HttpServletResponse response) */ protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException { // TODO Auto-generated method stub } }<|fim▁end|>
*/
<|file_name|>GoodFETatmel128.py<|end_file_name|><|fim▁begin|># GoodFETclient to interface zigduino/atmel128 radio # forked by bx from code by neighbor Travis Goodspeed from GoodFETAVR import GoodFETAVR import sys, binascii, os, array, time, glob, struct fmt = ("B", "<H", None, "<L") class GoodFETatmel128rfa1(GoodFETAVR): ATMELRADIOAPP = 0x53 autocrc = 0 verbose = False connected = 0 enable_AACK = False def serInit(self, port=None, timeout=2, attemptlimit=None): if port==None: port=os.environ.get("GOODFET"); self.pyserInit(port, timeout, attemptlimit) def pyserInit(self, port, timeout, attemptlimit): """Open the serial port""" if self.connected == 0: if (not (attemptlimit == None)) and (attemptlimit <= 1): # it always takes at least 2 tries attemptlimit == 2 # Make timeout None to wait forever, 0 for non-blocking mode. import serial; if os.name=='nt' and sys.version.find('64 bit')!=-1: print "WARNING: PySerial requires a 32-bit Python build in Windows."; if port is None and os.environ.get("GOODFET")!=None: glob_list = glob.glob(os.environ.get("GOODFET")); if len(glob_list) > 0: port = glob_list[0]; else: port = os.environ.get("GOODFET"); if port is None: glob_list = glob.glob("/dev/tty.usbserial*"); if len(glob_list) > 0: port = glob_list[0]; if port is None: glob_list = glob.glob("/dev/ttyUSB*"); if len(glob_list) > 0: port = glob_list[0]; if port is None: glob_list = glob.glob("/dev/ttyU0"); if len(glob_list) > 0: port = glob_list[0]; if port is None and os.name=='nt': from scanwin32 import winScan; scan=winScan(); for order,comport,desc,hwid in sorted(scan.comports()): try: if hwid.index('FTDI')==0: port=comport; #print "Using FTDI port %s" % port except: #Do nothing. a=1; baud=115200; self.serialport = serial.Serial( port, baud, parity = serial.PARITY_NONE, timeout=timeout ) self.verb=0; self.data="" attempts=0; self.connected=0; while self.connected==0: self.serialport.setDTR(False) while self.verb!=0x7F or self.data!="http://goodfet.sf.net/": if attemptlimit is not None and attempts >= attemptlimit: return attempts=attempts+1; self.readcmd(); #Read the first command. if self.verbose: print "Got %02x,%02x:'%s'" % (self.app,self.verb,self.data); #Here we have a connection, but maybe not a good one. #print "We have a connection." for foo in range(1,30): time.sleep(1) if not self.monitorecho(): self.connected = 0 if self.verbose: print "Comm error on try %i." % (foo) else: self.connected = 1 break if self.verbose: print "Connected after %02i attempts." % attempts; self.serialport.timeout = 12; def serClose(self): self.connected = 0 self.serialport.close() def writecmd(self, app, verb, count=0, data=[]): """Write a command and some data to the GoodFET.""" self.serialport.write(chr(app)); self.serialport.write(chr(verb)); if self.verbose: print "Tx: ( 0x%02x, 0x%02x, %d )" % ( app, verb, count ) if count > 0: if(isinstance(data,list)): old = data data = [] for i in range(0,count): data += chr(old[i]); outstr=''.join(data); #little endian 16-bit length count = len(outstr) self.serialport.write(chr(count&0xFF)); self.serialport.write(chr(count>>8)); if count > 0: if self.verbose: print "sending: %s" %outstr.encode("hex") self.serialport.write(outstr); if not self.besilent: out = self.readcmd() if out and self.verbose: print "read: " + out.encode("hex") return out else: return None def readcmd(self): """Read a reply from the GoodFET.""" app = self.serialport.read(1) if len(app) < 1: if self.verbose: print "Rx: None" self.app = 0 self.verb = 0 self.count = 0 self.data = "" return self.app=ord(app); v = self.serialport.read(1); if v: self.verb = ord(v) else: self.verb = 0<|fim▁hole|> c1 = self.serialport.read(1) c2 = self.serialport.read(1) if (c1 and c2): self.count= ord(c1) + (ord(c2)<<8) else: self.count = 0 if self.verbose: print "Rx: ( 0x%02x, 0x%02x, %i )" % ( self.app, self.verb, self.count ) #Debugging string; print, but wait. if self.app==0xFF: if self.verb==0xFF: print "# DEBUG %s" % self.serialport.read(self.count) elif self.verb==0xFE: print "# DEBUG 0x%x" % struct.unpack(fmt[self.count-1], self.serialport.read(self.count))[0] elif self.verb==0xFD: #Do nothing, just wait so there's no timeout. print "# NOP."; return "" else: self.data=self.serialport.read(self.count); return self.data; def RF_setchannel(self, chan): if (chan < 11) or (chan > 26): print "Channel out of range" else: self.poke(0x8, chan) def peek(self,reg,bytes=1): """Read a Register. """ #Automatically calibrate the len. if bytes != 1: print "Warning, currently cannot poke more than 1 byte" bytes = 1 data = [reg, 0, bytes%255, bytes>>8] #+ ([0]*bytes) self.data = None self.writecmd(self.ATMELRADIOAPP,0x02,len(data),data); toret=0; #print self.data.encode("hex") if self.data: #for i in range(0,bytes): # toret=toret|(ord(self.data[i+1])<<(8*i)); #return toret; # right now only works with a byte of data return ord(self.data) else: return -1 def poke(self,reg,val,bytes=1): # todo, support >1 byte """Write an Register.""" data = [reg, 0] #+ ([0]*bytes) data=[reg, 0] if bytes != 1: print "Warning, currently cannot poke more than 1 byte" bytes = 1 for i in range(0,bytes): data=data+[(val>>(8*i))&0xFF]; self.writecmd(self.ATMELRADIOAPP,0x03,len(data),data); newval = self.peek(reg,bytes) if newval!=val: print "Warning, failed to set r%02x=%02x, got %02x." %( reg, val, newval); return; def setup(self): self.RF_setup() def RF_setup(self): self.writecmd(self.ATMELRADIOAPP, 0x10, 0, None) def RF_rxpacket(self): """Get a packet from the radio. Returns None if none is waiting.""" #doto: check if packet has arrived, flush if not new self.writecmd(self.ATMELRADIOAPP, 0x80, 0, None) data=self.data; self.packetlen = len(data) if (self.packetlen > 0): return data; else: return None def RF_txpacket(self, payload): if type(payload) == list: #convert to string import array payload = array.array('B', payload).tostring() self.writecmd(self.ATMELRADIOAPP, 0x81, len(payload), payload) def RF_getrssi(self): """Returns the received signal strength""" base = -90 val = self.peek(0x7) & 0x7f # read rssi bits if val == 0: return base - 1 elif val < 0x53: return val + base else: return 0x53 + base def RF_enable_AACK(self, enable = True): if (enable and (not self.enable_AACK)): self.enable_AACK = True self.writecmd(self.ATMELRADIOAPP, 0x84) elif ((not enable) and self.enable_AACK): self.enable_AACK = False self.writecmd(self.ATMELRADIOAPP, 0x85) def RF_autocrc(self, autocrc=1): self.autocrc = autocrc if autocrc: self.writecmd(self.ATMELRADIOAPP, 0x86) else: self.writecmd(self.ATMELRADIOAPP, 0x87)<|fim▁end|>
<|file_name|>driver.rs<|end_file_name|><|fim▁begin|>use std::collections::HashSet; use mio; use mio::{Token, Handler, EventSet, PollOpt}; use mio::tcp::TcpStream; use slab::Slab; use config::RootConfig; use connection::{TokenType, ListenerToken, IncomingToken, OutgoingToken, Connection}; use driver_state::DriverState; type EventLoop = mio::EventLoop<Driver>; pub struct Driver { to_reregister: HashSet<IncomingToken>, incoming_connections: Slab<Connection, IncomingToken>, outgoing_connections: Slab<Option<IncomingToken>, OutgoingToken>, state: DriverState, } pub enum DriverMessage { Shutdown, Reconfigure(RootConfig), } impl Driver { pub fn new(state: DriverState) -> Driver { Driver { to_reregister: HashSet::new(), incoming_connections: Slab::new_starting_at(IncomingToken(1), state.config.buffers.connections), outgoing_connections: Slab::new_starting_at(OutgoingToken(1), state.config.buffers.connections), state: state, } } fn listener_ready(&mut self, event_loop: &mut EventLoop, token: ListenerToken, events: EventSet) { assert!(events.is_readable()); if let Some(listener) = self.state.listeners.get(token) { info!("Accepting connection"); let incoming = match listener.listener.accept() { Ok(Some(client)) => client, Ok(None) => { warn!("Accept would block"); return; } Err(e) => { error!("Accept error: {}", e); return; } }; let backend = listener.frontend.decide_backend(); let target = backend.borrow_mut().decide_target(); let outgoing = match TcpStream::connect(&target) { Ok(client) => client, Err(e) => { error!("Connect error: {}", e); return; } }; let outgoing_token = self.outgoing_connections .insert(None) .expect("Outgoing buffer full"); let incoming_token = self.incoming_connections .insert(Connection::new(incoming, outgoing, outgoing_token)) .map_err(|_| "Incoming buffer full") .unwrap(); self.outgoing_connections[outgoing_token] = Some(incoming_token); let connection = self.incoming_connections.get(incoming_token).unwrap(); event_loop.register_opt(connection.incoming_stream(), incoming_token.as_raw_token(), EventSet::all(), PollOpt::edge() | PollOpt::oneshot()) .unwrap(); event_loop.register_opt(connection.outgoing_stream(), outgoing_token.as_raw_token(), EventSet::all(), PollOpt::edge() | PollOpt::oneshot()) .unwrap(); event_loop.reregister(&listener.listener, token.as_raw_token(), EventSet::readable(), PollOpt::edge() | PollOpt::oneshot()) .unwrap(); } else { error!("Listener event on unknown token {:?}", token); } } fn incoming_ready(&mut self, token: IncomingToken, events: EventSet) { let mut remove = false; if let Some(mut connection) = self.incoming_connections.get_mut(token) { connection.incoming_ready(events); let data_sent = connection.tick(); if !data_sent && (connection.is_incoming_closed() || connection.is_outgoing_closed()) { remove = true; } else { self.to_reregister.insert(token); } } else { warn!("Could not find incoming connection for {:?}", token); } if remove { self.remove_connection(token); } } fn outgoing_ready(&mut self, token: OutgoingToken, events: EventSet) { if let Some(&Some(incoming_token)) = self.outgoing_connections.get(token) { let mut remove = false; if let Some(mut connection) = self.incoming_connections.get_mut(incoming_token) { connection.outgoing_ready(events); let data_sent = connection.tick(); if !data_sent && connection.is_outgoing_closed() { remove = true; } else { self.to_reregister.insert(incoming_token); } } else { warn!("Could not find corresponding incoming connection for {:?} -> {:?}", token, incoming_token); } if remove { debug!("Clearing connection from {:?} -> {:?}", token, incoming_token); self.outgoing_connections[token] = None } } else { warn!("Could not find outgoing connection for {:?}", token); } } fn remove_connection(&mut self, token: IncomingToken) { debug!("Removing connection on incoming token {:?}", token); let connection = self.incoming_connections .remove(token) .expect("Can't remove already removed incoming connection"); self.outgoing_connections .remove(connection.outgoing_token()) .expect("Can't remove already removed outgoing connection"); } } impl Handler for Driver { type Timeout = (); type Message = DriverMessage; fn ready(&mut self, event_loop: &mut EventLoop, token: Token, events: EventSet) { if token == Token(0) { warn!("Should not receive events on Token zero"); return; } trace!("Events on token {:?}: {:?}", token, events); match TokenType::from_raw_token(token) { TokenType::Listener(token) => self.listener_ready(event_loop, token, events), TokenType::Incoming(token) => self.incoming_ready(token, events), TokenType::Outgoing(token) => self.outgoing_ready(token, events), } } fn notify(&mut self, event_loop: &mut EventLoop, msg: DriverMessage) { match msg { DriverMessage::Shutdown => event_loop.shutdown(), DriverMessage::Reconfigure(config) => self.state.reconfigure(event_loop, &config).unwrap(), } } fn tick(&mut self, event_loop: &mut EventLoop) { for token in self.to_reregister.iter() { if let Some(connection) = self.incoming_connections.get(*token) { event_loop.reregister(connection.incoming_stream(), token.as_raw_token(), EventSet::all(), PollOpt::edge() | PollOpt::oneshot()) .unwrap(); event_loop.reregister(connection.outgoing_stream(), connection.outgoing_token().as_raw_token(), EventSet::all(), PollOpt::edge() | PollOpt::oneshot()) .unwrap(); } } self.to_reregister.clear(); for token in self.state.listeners_to_remove.iter() { info!("Removing listener on token {:?}", token); let listener = self.state .listeners .remove(*token) .unwrap(); event_loop.deregister(&listener.listener).unwrap(); drop(listener); } self.state.listeners_to_remove.clear(); } } #[cfg(test)] mod test { use super::{EventLoop, Driver, DriverMessage}; use std::thread; use std::sync::atomic::{AtomicUsize, Ordering, ATOMIC_USIZE_INIT}; use std::net::{TcpStream, TcpListener, SocketAddr}; use std::str::FromStr; use std::io::{Write, BufReader, BufRead}; use std::time::Duration; use std::collections::HashMap; use std::default::Default; use env_logger; use config::RootConfig; use driver_state::DriverState; static PORT_NUMBER: AtomicUsize = ATOMIC_USIZE_INIT; fn next_port() -> u16 { let first_port = option_env!("TEST_BASE_PORT") .map_or(32328, |v| v.parse::<usize>().unwrap()); PORT_NUMBER.compare_and_swap(0, first_port, Ordering::SeqCst); PORT_NUMBER.fetch_add(1, Ordering::SeqCst) as u16 } #[test] fn start_stop_driver() { env_logger::init().unwrap_or(()); let mut event_loop = EventLoop::new().unwrap(); let sender = event_loop.channel(); let t = thread::spawn(move || { let mut driver = Driver::new(DriverState::new(&Default::default())); event_loop.run(&mut driver).unwrap(); }); sender.send(DriverMessage::Shutdown).unwrap(); t.join().unwrap(); } #[test] fn single_backend() { env_logger::init().unwrap_or(()); let mut event_loop = EventLoop::new().unwrap(); let sender = event_loop.channel(); let config = RootConfig::from_str(&format!("[frontends.in] listen_addr = \ \"127.0.0.1:{}\" backend = \"out\" \ [backends.out] target_addrs = \ [\"127.0.0.1:{}\"] [buffers] connections = \ 4096 listeners = 128 ", next_port(), next_port())) .unwrap(); let backend_addr: SocketAddr = FromStr::from_str(&config.backends["out"].target_addrs[0]) .unwrap(); let frontend_addr: SocketAddr = FromStr::from_str(&config.frontends["in"].listen_addr) .unwrap(); let t1 = thread::spawn(move || { let mut driver_state = DriverState::new(&Default::default()); driver_state.reconfigure(&mut event_loop, &config).unwrap(); let mut driver = Driver::new(driver_state); debug!("Starting event loop"); event_loop.run(&mut driver).unwrap(); }); let t2 = thread::spawn(move || { debug!("Starting backend listener"); let listener = TcpListener::bind(backend_addr).unwrap(); let (mut client, _) = listener.accept().unwrap(); write!(client, "sent by backend\n").unwrap(); client.flush().unwrap(); debug!("Backend wrote data, waiting for data now"); let mut reader = BufReader::new(client); let mut buffer = String::new(); reader.read_line(&mut buffer).unwrap(); debug!("Backend done"); assert_eq!(buffer, "sent by frontend\n"); }); thread::sleep(Duration::from_millis(100)); { debug!("Connecting to frontend..."); let client = TcpStream::connect(frontend_addr).unwrap(); debug!("Frontend connected, waiting for data..."); let mut reader = BufReader::new(client); let mut buffer = String::new(); reader.read_line(&mut buffer).unwrap(); debug!("Frontend read data, sending response"); assert_eq!(buffer, "sent by backend\n"); write!(reader.get_mut(), "sent by frontend\n").unwrap(); reader.get_mut().flush().unwrap(); debug!("Frontend done"); } sender.send(DriverMessage::Shutdown).unwrap(); t1.join().unwrap(); t2.join().unwrap(); } #[test] fn test_reconfigure_remove_listen() { env_logger::init().unwrap_or(()); let mut event_loop = EventLoop::new().unwrap(); let sender = event_loop.channel(); let config = RootConfig::from_str(&format!("[frontends.in] listen_addr = \ \"127.0.0.1:{}\" backend = \"out\" \ [backends.out] target_addrs = \ [\"127.0.0.1:{}\"] [buffers] connections = \ 4096 listeners = 128 ", next_port(), next_port())) .unwrap();<|fim▁hole|> let t1 = thread::spawn(move || { let mut driver_state = DriverState::new(&Default::default()); driver_state.reconfigure(&mut event_loop, &config).unwrap(); let mut driver = Driver::new(driver_state); debug!("Starting event loop"); event_loop.run(&mut driver).unwrap(); }); thread::sleep(Duration::from_millis(100)); { let client = TcpStream::connect(frontend_addr); assert!(client.is_ok()); } sender.send(DriverMessage::Reconfigure(RootConfig { frontends: HashMap::new(), backends: HashMap::new(), ..Default::default() })) .expect("Should be able to send reconfigure message"); thread::sleep(Duration::from_millis(100)); { debug!("Trying to connect, expecting refused connection"); let client = TcpStream::connect(frontend_addr); assert!(client.is_err()); } sender.send(DriverMessage::Shutdown).expect("Should be able to send shutdown message"); t1.join().expect("Event loop thread should have exited cleanly"); } }<|fim▁end|>
let frontend_addr: SocketAddr = FromStr::from_str(&config.frontends["in"].listen_addr) .unwrap();
<|file_name|>router.go<|end_file_name|><|fim▁begin|>package router import ( "github.com/Unknwon/macaron" "github.com/macaron-contrib/binding" "github.com/containerops/crew/handler" ) func SetRouters(m *macaron.Macaron) { m.Group("/v1", func() { //Session Router m.Group("/token", func() { m.Post("/", handler.W1PostToken) }) //User Router m.Group("/user", func() { //Signin and Signup m.Post("/", binding.Bind(handler.UserSignup{}), handler.W1UserSignup) m.Post("/auth", handler.W1UserSignin) //List All Users m.Get("/list/:count/:page", handler.W1GetUserList) //Profile m.Put("/:user/profile", handler.W1PutUserProfile) m.Get("/:user/profile", handler.W1GetUserProfile) m.Post("/:user/gravatar", handler.W1PostUserGravatar) //Put Password m.Put("/:user/passwd", handler.W1PutUserPasswd) //List User Teams and Organizations m.Get("/:user/organizations", handler.W1GetUserOrganizations) m.Get("/:user/teams", handler.W1GetUserTeams) }) //Organization Router m.Group("/org", func() { m.Post("/", handler.W1PostOrganization) m.Put("/:org", handler.W1PutOrganization) m.Get("/:org", handler.W1GetOrganization) m.Delete("/:org", handler.W1DeleteOrganization) //Team Router m.Group("/:org/team", func() { m.Post("/", handler.W1PostTeam) m.Get("/list", handler.W1GetTeams) m.Put("/:team", handler.W1PutTeam) m.Get("/:team", handler.W1GetTeam) m.Delete("/:team", handler.W1DeleteTeam) //User Management<|fim▁hole|> m.Delete("/:user", handler.W1DeleteTeamUser) }) }) }) }) }<|fim▁end|>
m.Group("/:team/user", func() { m.Get("/list", handler.W1GetTeamUsers) m.Put("/:user", handler.W1PutTeamUser)
<|file_name|>q_sigma.rs<|end_file_name|><|fim▁begin|>use crate::{ domains::Transition, fa::StateActionUpdate, policies::EnumerablePolicy, utils::argmaxima, Enumerable, Function, Handler, Parameterised, }; use rand::thread_rng; use std::{collections::VecDeque, ops::Index}; struct BackupEntry<S> { pub s: S, pub a: usize, pub q: f64, pub residual: f64, pub sigma: f64, pub pi: f64, pub mu: f64, } struct Backup<S> { n_steps: usize, entries: VecDeque<BackupEntry<S>>, } impl<S> Backup<S> { pub fn new(n_steps: usize) -> Backup<S> { Backup { n_steps, entries: VecDeque::new(), } } pub fn len(&self) -> usize { self.entries.len() } pub fn pop(&mut self) -> Option<BackupEntry<S>> { self.entries.pop_front() } pub fn push(&mut self, entry: BackupEntry<S>) { self.entries.push_back(entry); } pub fn clear(&mut self) { self.entries.clear(); } pub fn propagate(&self, gamma: f64) -> (f64, f64) { let mut g = self.entries[0].q; let mut z = 1.0; let mut isr = 1.0; for k in 0..self.n_steps { let b1 = &self.entries[k]; let b2 = &self.entries[k + 1]; g += z * b1.residual; z *= gamma * ((1.0 - b1.sigma) * b2.pi + b2.sigma); isr *= 1.0 - b1.sigma + b1.sigma * b1.pi / b1.mu; } (isr, g) } } /// General multi-step temporal-difference learning algorithm. /// /// # Parameters /// - `sigma` varies the degree of sampling, yielding classical learning /// algorithms as special cases: /// * `0` - `ExpectedSARSA` | `TreeBackup` /// * `1` - `SARSA` /// /// # References<|fim▁hole|>/// preprint arXiv:1703.01327. #[derive(Parameterised)] pub struct QSigma<S, Q, P> { #[weights] pub q_func: Q, pub policy: P, pub alpha: f64, pub gamma: f64, pub sigma: f64, backup: Backup<S>, } impl<S, Q, P> QSigma<S, Q, P> { pub fn new(q_func: Q, policy: P, alpha: f64, gamma: f64, sigma: f64, n_steps: usize) -> Self { QSigma { q_func, policy, alpha, gamma, sigma, backup: Backup::new(n_steps), } } } impl<S, Q, P> QSigma<S, Q, P> { fn update_backup(&mut self, entry: BackupEntry<S>) -> Option<Result<Q::Response, Q::Error>> where Q: for<'s, 'a> Function<(&'s S, &'a usize), Output = f64>, Q: Handler<StateActionUpdate<S, usize, f64>>, { self.backup.push(entry); if self.backup.len() >= self.backup.n_steps { let (isr, g) = self.backup.propagate(self.gamma); let anchor = self.backup.pop().unwrap(); let qsa = self.q_func.evaluate((&anchor.s, &anchor.a)); Some(self.q_func.handle(StateActionUpdate { state: anchor.s, action: anchor.a, error: self.alpha * isr * (g - qsa), })) } else { None } } } impl<'m, S, Q, P> Handler<&'m Transition<S, usize>> for QSigma<S, Q, P> where S: Clone, Q: Enumerable<(&'m S,)> + for<'s, 'a> Function<(&'s S, &'a usize), Output = f64> + Handler<StateActionUpdate<S, usize, f64>>, P: EnumerablePolicy<&'m S>, <Q as Function<(&'m S,)>>::Output: Index<usize, Output = f64> + IntoIterator<Item = f64>, <<Q as Function<(&'m S,)>>::Output as IntoIterator>::IntoIter: ExactSizeIterator, <P as Function<(&'m S,)>>::Output: Index<usize, Output = f64> + IntoIterator<Item = f64>, <<P as Function<(&'m S,)>>::Output as IntoIterator>::IntoIter: ExactSizeIterator, { type Response = Option<Q::Response>; type Error = Q::Error; fn handle(&mut self, t: &'m Transition<S, usize>) -> Result<Self::Response, Self::Error> { let s = t.from.state(); let qa = self.q_func.evaluate_index((s,), t.action); let res = if t.terminated() { let res = self.update_backup(BackupEntry { s: s.clone(), a: t.action, q: qa, residual: t.reward - qa, sigma: self.sigma, pi: 0.0, mu: 1.0, }); self.backup.clear(); res } else { let ns = t.to.state(); let na = self.policy.sample(&mut thread_rng(), ns); let nqs = self.q_func.evaluate((ns,)); let nqsna = nqs[na]; let (na_max, exp_nqs) = argmaxima(nqs.into_iter()); let pi = if na_max.contains(&na) { 1.0 / na_max.len() as f64 } else { 0.0 }; let mu = self.policy.evaluate((ns, na)); let residual = t.reward + self.gamma * (self.sigma * nqsna + (1.0 - self.sigma) * exp_nqs) - qa; self.update_backup(BackupEntry { s: s.clone(), a: t.action, q: qa, residual: residual, sigma: self.sigma, pi: pi, mu: mu, }) }; res.transpose() } }<|fim▁end|>
/// - Sutton, R. S. and Barto, A. G. (2017). Reinforcement Learning: An /// Introduction (2nd ed.). Manuscript in preparation. /// - De Asis, K., Hernandez-Garcia, J. F., Holland, G. Z., & Sutton, R. S. /// (2017). Multi-step Reinforcement Learning: A Unifying Algorithm. arXiv
<|file_name|>fundrawtransaction.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python3 # Copyright (c) 2014-2017 The Bitcoin Core developers # Distributed under the MIT software license, see the accompanying # file COPYING or http://www.opensource.org/licenses/mit-license.php. """Test the fundrawtransaction RPC.""" from test_framework.test_framework import BitcoinTestFramework from test_framework.util import * def get_unspent(listunspent, amount): for utx in listunspent: if utx['amount'] == amount: return utx raise AssertionError('Could not find unspent with amount={}'.format(amount)) class RawTransactionsTest(BitcoinTestFramework): def set_test_params(self): self.num_nodes = 4 self.setup_clean_chain = True def setup_network(self, split=False): self.setup_nodes() connect_nodes_bi(self.nodes, 0, 1) connect_nodes_bi(self.nodes, 1, 2) connect_nodes_bi(self.nodes, 0, 2) connect_nodes_bi(self.nodes, 0, 3) def run_test(self): min_relay_tx_fee = self.nodes[0].getnetworkinfo()['relayfee'] # This test is not meant to test fee estimation and we'd like # to be sure all txs are sent at a consistent desired feerate for node in self.nodes: node.settxfee(min_relay_tx_fee) # if the fee's positive delta is higher than this value tests will fail, # neg. delta always fail the tests. # The size of the signature of every input may be at most 2 bytes larger # than a minimum sized signature. # = 2 bytes * minRelayTxFeePerByte feeTolerance = 2 * min_relay_tx_fee/1000 self.nodes[2].generate(1) self.sync_all() self.nodes[0].generate(121) self.sync_all() # ensure that setting changePosition in fundraw with an exact match is handled properly rawmatch = self.nodes[2].createrawtransaction([], {self.nodes[2].getnewaddress():50}) rawmatch = self.nodes[2].fundrawtransaction(rawmatch, {"changePosition":1, "subtractFeeFromOutputs":[0]}) assert_equal(rawmatch["changepos"], -1) watchonly_address = self.nodes[0].getnewaddress() watchonly_pubkey = self.nodes[0].validateaddress(watchonly_address)["pubkey"] watchonly_amount = Decimal(200) self.nodes[3].importpubkey(watchonly_pubkey, "", True) watchonly_txid = self.nodes[0].sendtoaddress(watchonly_address, watchonly_amount) self.nodes[0].sendtoaddress(self.nodes[3].getnewaddress(), watchonly_amount / 10) self.nodes[0].sendtoaddress(self.nodes[2].getnewaddress(), 1.5) self.nodes[0].sendtoaddress(self.nodes[2].getnewaddress(), 1.0) self.nodes[0].sendtoaddress(self.nodes[2].getnewaddress(), 5.0) self.nodes[0].generate(1) self.sync_all() ############### # simple test # ############### inputs = [ ] outputs = { self.nodes[0].getnewaddress() : 1.0 } rawtx = self.nodes[2].createrawtransaction(inputs, outputs) dec_tx = self.nodes[2].decoderawtransaction(rawtx) rawtxfund = self.nodes[2].fundrawtransaction(rawtx) fee = rawtxfund['fee'] dec_tx = self.nodes[2].decoderawtransaction(rawtxfund['hex']) assert(len(dec_tx['vin']) > 0) #test that we have enough inputs ############################## # simple test with two coins # ############################## inputs = [ ] outputs = { self.nodes[0].getnewaddress() : 2.2 } rawtx = self.nodes[2].createrawtransaction(inputs, outputs) dec_tx = self.nodes[2].decoderawtransaction(rawtx) rawtxfund = self.nodes[2].fundrawtransaction(rawtx) fee = rawtxfund['fee'] dec_tx = self.nodes[2].decoderawtransaction(rawtxfund['hex']) assert(len(dec_tx['vin']) > 0) #test if we have enough inputs ############################## # simple test with two coins # ############################## inputs = [ ] outputs = { self.nodes[0].getnewaddress() : 2.6 } rawtx = self.nodes[2].createrawtransaction(inputs, outputs) dec_tx = self.nodes[2].decoderawtransaction(rawtx) rawtxfund = self.nodes[2].fundrawtransaction(rawtx) fee = rawtxfund['fee'] dec_tx = self.nodes[2].decoderawtransaction(rawtxfund['hex']) assert(len(dec_tx['vin']) > 0) assert_equal(dec_tx['vin'][0]['scriptSig']['hex'], '') ################################ # simple test with two outputs # ################################ inputs = [ ] outputs = { self.nodes[0].getnewaddress() : 2.6, self.nodes[1].getnewaddress() : 2.5 } rawtx = self.nodes[2].createrawtransaction(inputs, outputs) dec_tx = self.nodes[2].decoderawtransaction(rawtx) rawtxfund = self.nodes[2].fundrawtransaction(rawtx) fee = rawtxfund['fee'] dec_tx = self.nodes[2].decoderawtransaction(rawtxfund['hex']) totalOut = 0 for out in dec_tx['vout']: totalOut += out['value'] assert(len(dec_tx['vin']) > 0) assert_equal(dec_tx['vin'][0]['scriptSig']['hex'], '') ######################################################################### # test a fundrawtransaction with a VIN greater than the required amount # ######################################################################### utx = get_unspent(self.nodes[2].listunspent(), 5) inputs = [ {'txid' : utx['txid'], 'vout' : utx['vout']}] outputs = { self.nodes[0].getnewaddress() : 1.0 } rawtx = self.nodes[2].createrawtransaction(inputs, outputs) dec_tx = self.nodes[2].decoderawtransaction(rawtx) assert_equal(utx['txid'], dec_tx['vin'][0]['txid']) rawtxfund = self.nodes[2].fundrawtransaction(rawtx) fee = rawtxfund['fee'] dec_tx = self.nodes[2].decoderawtransaction(rawtxfund['hex']) totalOut = 0 for out in dec_tx['vout']: totalOut += out['value'] assert_equal(fee + totalOut, utx['amount']) #compare vin total and totalout+fee ##################################################################### # test a fundrawtransaction with which will not get a change output # ##################################################################### utx = get_unspent(self.nodes[2].listunspent(), 5) inputs = [ {'txid' : utx['txid'], 'vout' : utx['vout']}] outputs = { self.nodes[0].getnewaddress() : Decimal(5.0) - fee - feeTolerance } rawtx = self.nodes[2].createrawtransaction(inputs, outputs) dec_tx = self.nodes[2].decoderawtransaction(rawtx) assert_equal(utx['txid'], dec_tx['vin'][0]['txid']) rawtxfund = self.nodes[2].fundrawtransaction(rawtx) fee = rawtxfund['fee'] dec_tx = self.nodes[2].decoderawtransaction(rawtxfund['hex']) totalOut = 0 for out in dec_tx['vout']: totalOut += out['value'] assert_equal(rawtxfund['changepos'], -1) assert_equal(fee + totalOut, utx['amount']) #compare vin total and totalout+fee #################################################### # test a fundrawtransaction with an invalid option # #################################################### utx = get_unspent(self.nodes[2].listunspent(), 5) inputs = [ {'txid' : utx['txid'], 'vout' : utx['vout']} ] outputs = { self.nodes[0].getnewaddress() : Decimal(4.0) } rawtx = self.nodes[2].createrawtransaction(inputs, outputs) dec_tx = self.nodes[2].decoderawtransaction(rawtx) assert_equal(utx['txid'], dec_tx['vin'][0]['txid']) assert_raises_rpc_error(-3, "Unexpected key foo", self.nodes[2].fundrawtransaction, rawtx, {'foo':'bar'}) ############################################################ # test a fundrawtransaction with an invalid change address # ############################################################ utx = get_unspent(self.nodes[2].listunspent(), 5) inputs = [ {'txid' : utx['txid'], 'vout' : utx['vout']} ] outputs = { self.nodes[0].getnewaddress() : Decimal(4.0) } rawtx = self.nodes[2].createrawtransaction(inputs, outputs) dec_tx = self.nodes[2].decoderawtransaction(rawtx) assert_equal(utx['txid'], dec_tx['vin'][0]['txid']) assert_raises_rpc_error(-5, "changeAddress must be a valid bitcoin address", self.nodes[2].fundrawtransaction, rawtx, {'changeAddress':'foobar'}) ############################################################ # test a fundrawtransaction with a provided change address # ############################################################ utx = get_unspent(self.nodes[2].listunspent(), 5) inputs = [ {'txid' : utx['txid'], 'vout' : utx['vout']} ] outputs = { self.nodes[0].getnewaddress() : Decimal(4.0) } rawtx = self.nodes[2].createrawtransaction(inputs, outputs) dec_tx = self.nodes[2].decoderawtransaction(rawtx) assert_equal(utx['txid'], dec_tx['vin'][0]['txid']) change = self.nodes[2].getnewaddress() assert_raises_rpc_error(-8, "changePosition out of bounds", self.nodes[2].fundrawtransaction, rawtx, {'changeAddress':change, 'changePosition':2}) rawtxfund = self.nodes[2].fundrawtransaction(rawtx, {'changeAddress': change, 'changePosition': 0}) dec_tx = self.nodes[2].decoderawtransaction(rawtxfund['hex']) out = dec_tx['vout'][0] assert_equal(change, out['scriptPubKey']['addresses'][0]) ######################################################################### # test a fundrawtransaction with a VIN smaller than the required amount # ######################################################################### utx = get_unspent(self.nodes[2].listunspent(), 1) inputs = [ {'txid' : utx['txid'], 'vout' : utx['vout']}] outputs = { self.nodes[0].getnewaddress() : 1.0 } rawtx = self.nodes[2].createrawtransaction(inputs, outputs) # 4-byte version + 1-byte vin count + 36-byte prevout then script_len rawtx = rawtx[:82] + "0100" + rawtx[84:] dec_tx = self.nodes[2].decoderawtransaction(rawtx) assert_equal(utx['txid'], dec_tx['vin'][0]['txid']) assert_equal("00", dec_tx['vin'][0]['scriptSig']['hex']) rawtxfund = self.nodes[2].fundrawtransaction(rawtx) fee = rawtxfund['fee'] dec_tx = self.nodes[2].decoderawtransaction(rawtxfund['hex']) totalOut = 0 matchingOuts = 0 for i, out in enumerate(dec_tx['vout']): totalOut += out['value'] if out['scriptPubKey']['addresses'][0] in outputs: matchingOuts+=1 else: assert_equal(i, rawtxfund['changepos']) assert_equal(utx['txid'], dec_tx['vin'][0]['txid']) assert_equal("00", dec_tx['vin'][0]['scriptSig']['hex']) assert_equal(matchingOuts, 1) assert_equal(len(dec_tx['vout']), 2) ########################################### # test a fundrawtransaction with two VINs # ########################################### utx = get_unspent(self.nodes[2].listunspent(), 1) utx2 = get_unspent(self.nodes[2].listunspent(), 5) inputs = [ {'txid' : utx['txid'], 'vout' : utx['vout']},{'txid' : utx2['txid'], 'vout' : utx2['vout']} ] outputs = { self.nodes[0].getnewaddress() : 6.0 } rawtx = self.nodes[2].createrawtransaction(inputs, outputs) dec_tx = self.nodes[2].decoderawtransaction(rawtx) assert_equal(utx['txid'], dec_tx['vin'][0]['txid']) rawtxfund = self.nodes[2].fundrawtransaction(rawtx) fee = rawtxfund['fee'] dec_tx = self.nodes[2].decoderawtransaction(rawtxfund['hex']) totalOut = 0 matchingOuts = 0 for out in dec_tx['vout']: totalOut += out['value'] if out['scriptPubKey']['addresses'][0] in outputs: matchingOuts+=1 assert_equal(matchingOuts, 1) assert_equal(len(dec_tx['vout']), 2) matchingIns = 0 for vinOut in dec_tx['vin']: for vinIn in inputs: if vinIn['txid'] == vinOut['txid']: matchingIns+=1 assert_equal(matchingIns, 2) #we now must see two vins identical to vins given as params ######################################################### # test a fundrawtransaction with two VINs and two vOUTs # ######################################################### utx = get_unspent(self.nodes[2].listunspent(), 1) utx2 = get_unspent(self.nodes[2].listunspent(), 5) inputs = [ {'txid' : utx['txid'], 'vout' : utx['vout']},{'txid' : utx2['txid'], 'vout' : utx2['vout']} ] outputs = { self.nodes[0].getnewaddress() : 6.0, self.nodes[0].getnewaddress() : 1.0 } rawtx = self.nodes[2].createrawtransaction(inputs, outputs) dec_tx = self.nodes[2].decoderawtransaction(rawtx) assert_equal(utx['txid'], dec_tx['vin'][0]['txid']) rawtxfund = self.nodes[2].fundrawtransaction(rawtx) fee = rawtxfund['fee'] dec_tx = self.nodes[2].decoderawtransaction(rawtxfund['hex']) totalOut = 0 matchingOuts = 0 for out in dec_tx['vout']: totalOut += out['value'] if out['scriptPubKey']['addresses'][0] in outputs: matchingOuts+=1 assert_equal(matchingOuts, 2) assert_equal(len(dec_tx['vout']), 3) ############################################## # test a fundrawtransaction with invalid vin # ############################################## inputs = [ {'txid' : "1c7f966dab21119bac53213a2bc7532bff1fa844c124fd750a7d0b1332440bd1", 'vout' : 0} ] #invalid vin! outputs = { self.nodes[0].getnewaddress() : 1.0} rawtx = self.nodes[2].createrawtransaction(inputs, outputs) dec_tx = self.nodes[2].decoderawtransaction(rawtx) assert_raises_rpc_error(-4, "Insufficient funds", self.nodes[2].fundrawtransaction, rawtx) ############################################################ #compare fee of a standard pubkeyhash transaction inputs = [] outputs = {self.nodes[1].getnewaddress():1.1} rawtx = self.nodes[0].createrawtransaction(inputs, outputs) fundedTx = self.nodes[0].fundrawtransaction(rawtx) #create same transaction over sendtoaddress txId = self.nodes[0].sendtoaddress(self.nodes[1].getnewaddress(), 1.1) signedFee = self.nodes[0].getrawmempool(True)[txId]['fee'] #compare fee feeDelta = Decimal(fundedTx['fee']) - Decimal(signedFee) assert(feeDelta >= 0 and feeDelta <= feeTolerance) ############################################################ ############################################################ #compare fee of a standard pubkeyhash transaction with multiple outputs inputs = [] outputs = {self.nodes[1].getnewaddress():1.1,self.nodes[1].getnewaddress():1.2,self.nodes[1].getnewaddress():0.1,self.nodes[1].getnewaddress():1.3,self.nodes[1].getnewaddress():0.2,self.nodes[1].getnewaddress():0.3} rawtx = self.nodes[0].createrawtransaction(inputs, outputs) fundedTx = self.nodes[0].fundrawtransaction(rawtx) #create same transaction over sendtoaddress txId = self.nodes[0].sendmany("", outputs) signedFee = self.nodes[0].getrawmempool(True)[txId]['fee'] #compare fee feeDelta = Decimal(fundedTx['fee']) - Decimal(signedFee) assert(feeDelta >= 0 and feeDelta <= feeTolerance) ############################################################ ############################################################ #compare fee of a 2of2 multisig p2sh transaction # create 2of2 addr addr1 = self.nodes[1].getnewaddress() addr2 = self.nodes[1].getnewaddress() addr1Obj = self.nodes[1].validateaddress(addr1) addr2Obj = self.nodes[1].validateaddress(addr2) mSigObj = self.nodes[1].addmultisigaddress(2, [addr1Obj['pubkey'], addr2Obj['pubkey']]) inputs = [] outputs = {mSigObj:1.1} rawtx = self.nodes[0].createrawtransaction(inputs, outputs) fundedTx = self.nodes[0].fundrawtransaction(rawtx) #create same transaction over sendtoaddress txId = self.nodes[0].sendtoaddress(mSigObj, 1.1) signedFee = self.nodes[0].getrawmempool(True)[txId]['fee'] #compare fee feeDelta = Decimal(fundedTx['fee']) - Decimal(signedFee) assert(feeDelta >= 0 and feeDelta <= feeTolerance) ############################################################ ############################################################ #compare fee of a standard pubkeyhash transaction # create 4of5 addr addr1 = self.nodes[1].getnewaddress() addr2 = self.nodes[1].getnewaddress() addr3 = self.nodes[1].getnewaddress() addr4 = self.nodes[1].getnewaddress() addr5 = self.nodes[1].getnewaddress() addr1Obj = self.nodes[1].validateaddress(addr1) addr2Obj = self.nodes[1].validateaddress(addr2) addr3Obj = self.nodes[1].validateaddress(addr3) addr4Obj = self.nodes[1].validateaddress(addr4) addr5Obj = self.nodes[1].validateaddress(addr5) mSigObj = self.nodes[1].addmultisigaddress(4, [addr1Obj['pubkey'], addr2Obj['pubkey'], addr3Obj['pubkey'], addr4Obj['pubkey'], addr5Obj['pubkey']]) inputs = [] outputs = {mSigObj:1.1} rawtx = self.nodes[0].createrawtransaction(inputs, outputs) fundedTx = self.nodes[0].fundrawtransaction(rawtx) #create same transaction over sendtoaddress txId = self.nodes[0].sendtoaddress(mSigObj, 1.1) signedFee = self.nodes[0].getrawmempool(True)[txId]['fee'] #compare fee feeDelta = Decimal(fundedTx['fee']) - Decimal(signedFee) assert(feeDelta >= 0 and feeDelta <= feeTolerance) ############################################################ ############################################################ # spend a 2of2 multisig transaction over fundraw # create 2of2 addr addr1 = self.nodes[2].getnewaddress() addr2 = self.nodes[2].getnewaddress() addr1Obj = self.nodes[2].validateaddress(addr1) addr2Obj = self.nodes[2].validateaddress(addr2) mSigObj = self.nodes[2].addmultisigaddress(2, [addr1Obj['pubkey'], addr2Obj['pubkey']]) # send 1.2 BTC to msig addr txId = self.nodes[0].sendtoaddress(mSigObj, 1.2) self.sync_all() self.nodes[1].generate(1) self.sync_all() oldBalance = self.nodes[1].getbalance() inputs = [] outputs = {self.nodes[1].getnewaddress():1.1} rawtx = self.nodes[2].createrawtransaction(inputs, outputs) fundedTx = self.nodes[2].fundrawtransaction(rawtx) signedTx = self.nodes[2].signrawtransaction(fundedTx['hex']) txId = self.nodes[2].sendrawtransaction(signedTx['hex']) self.sync_all() self.nodes[1].generate(1) self.sync_all() # make sure funds are received at node1 assert_equal(oldBalance+Decimal('1.10000000'), self.nodes[1].getbalance()) ############################################################ # locked wallet test self.stop_node(0) self.nodes[1].node_encrypt_wallet("test") self.stop_node(2) self.stop_node(3) self.start_nodes() # This test is not meant to test fee estimation and we'd like # to be sure all txs are sent at a consistent desired feerate for node in self.nodes: node.settxfee(min_relay_tx_fee) connect_nodes_bi(self.nodes,0,1) connect_nodes_bi(self.nodes,1,2) connect_nodes_bi(self.nodes,0,2) connect_nodes_bi(self.nodes,0,3) self.sync_all() # drain the keypool self.nodes[1].getnewaddress() self.nodes[1].getrawchangeaddress() inputs = [] outputs = {self.nodes[0].getnewaddress():1.1} rawtx = self.nodes[1].createrawtransaction(inputs, outputs) # fund a transaction that requires a new key for the change output # creating the key must be impossible because the wallet is locked assert_raises_rpc_error(-4, "Keypool ran out, please call keypoolrefill first", self.nodes[1].fundrawtransaction, rawtx) #refill the keypool self.nodes[1].walletpassphrase("test", 100) self.nodes[1].keypoolrefill(8) #need to refill the keypool to get an internal change address self.nodes[1].walletlock() assert_raises_rpc_error(-13, "walletpassphrase", self.nodes[1].sendtoaddress, self.nodes[0].getnewaddress(), 1.2) oldBalance = self.nodes[0].getbalance() inputs = [] outputs = {self.nodes[0].getnewaddress():1.1} rawtx = self.nodes[1].createrawtransaction(inputs, outputs) fundedTx = self.nodes[1].fundrawtransaction(rawtx) #now we need to unlock self.nodes[1].walletpassphrase("test", 600) signedTx = self.nodes[1].signrawtransaction(fundedTx['hex']) txId = self.nodes[1].sendrawtransaction(signedTx['hex']) self.nodes[1].generate(1) self.sync_all() # make sure funds are received at node1 assert_equal(oldBalance+Decimal('51.10000000'), self.nodes[0].getbalance()) ############################################### # multiple (~19) inputs tx test | Compare fee # ############################################### #empty node1, send some small coins from node0 to node1 self.nodes[1].sendtoaddress(self.nodes[0].getnewaddress(), self.nodes[1].getbalance(), "", "", True) self.sync_all() self.nodes[0].generate(1) self.sync_all() for i in range(0,20): self.nodes[0].sendtoaddress(self.nodes[1].getnewaddress(), 0.01) self.nodes[0].generate(1) self.sync_all() #fund a tx with ~20 small inputs inputs = [] outputs = {self.nodes[0].getnewaddress():0.15,self.nodes[0].getnewaddress():0.04} rawtx = self.nodes[1].createrawtransaction(inputs, outputs) fundedTx = self.nodes[1].fundrawtransaction(rawtx) #create same transaction over sendtoaddress txId = self.nodes[1].sendmany("", outputs) signedFee = self.nodes[1].getrawmempool(True)[txId]['fee'] #compare fee feeDelta = Decimal(fundedTx['fee']) - Decimal(signedFee) assert(feeDelta >= 0 and feeDelta <= feeTolerance*19) #~19 inputs ############################################# # multiple (~19) inputs tx test | sign/send # ############################################# #again, empty node1, send some small coins from node0 to node1 self.nodes[1].sendtoaddress(self.nodes[0].getnewaddress(), self.nodes[1].getbalance(), "", "", True) self.sync_all() self.nodes[0].generate(1) self.sync_all() for i in range(0,20): self.nodes[0].sendtoaddress(self.nodes[1].getnewaddress(), 0.01) self.nodes[0].generate(1) self.sync_all() #fund a tx with ~20 small inputs oldBalance = self.nodes[0].getbalance() inputs = [] outputs = {self.nodes[0].getnewaddress():0.15,self.nodes[0].getnewaddress():0.04} rawtx = self.nodes[1].createrawtransaction(inputs, outputs) fundedTx = self.nodes[1].fundrawtransaction(rawtx) fundedAndSignedTx = self.nodes[1].signrawtransaction(fundedTx['hex']) txId = self.nodes[1].sendrawtransaction(fundedAndSignedTx['hex']) self.sync_all() self.nodes[0].generate(1) self.sync_all() assert_equal(oldBalance+Decimal('50.19000000'), self.nodes[0].getbalance()) #0.19+block reward ##################################################### # test fundrawtransaction with OP_RETURN and no vin # ##################################################### rawtx = "0100000000010000000000000000066a047465737400000000" dec_tx = self.nodes[2].decoderawtransaction(rawtx) assert_equal(len(dec_tx['vin']), 0) assert_equal(len(dec_tx['vout']), 1) rawtxfund = self.nodes[2].fundrawtransaction(rawtx) dec_tx = self.nodes[2].decoderawtransaction(rawtxfund['hex']) assert_greater_than(len(dec_tx['vin']), 0) # at least one vin assert_equal(len(dec_tx['vout']), 2) # one change output added ################################################## # test a fundrawtransaction using only watchonly # ################################################## inputs = [] outputs = {self.nodes[2].getnewaddress() : watchonly_amount / 2} rawtx = self.nodes[3].createrawtransaction(inputs, outputs) result = self.nodes[3].fundrawtransaction(rawtx, {'includeWatching': True }) res_dec = self.nodes[0].decoderawtransaction(result["hex"]) assert_equal(len(res_dec["vin"]), 1) assert_equal(res_dec["vin"][0]["txid"], watchonly_txid) assert("fee" in result.keys()) assert_greater_than(result["changepos"], -1) ############################################################### # test fundrawtransaction using the entirety of watched funds # ############################################################### inputs = [] outputs = {self.nodes[2].getnewaddress() : watchonly_amount} rawtx = self.nodes[3].createrawtransaction(inputs, outputs) # Backward compatibility test (2nd param is includeWatching) result = self.nodes[3].fundrawtransaction(rawtx, True) res_dec = self.nodes[0].decoderawtransaction(result["hex"]) assert_equal(len(res_dec["vin"]), 2) assert(res_dec["vin"][0]["txid"] == watchonly_txid or res_dec["vin"][1]["txid"] == watchonly_txid) assert_greater_than(result["fee"], 0) assert_greater_than(result["changepos"], -1) assert_equal(result["fee"] + res_dec["vout"][result["changepos"]]["value"], watchonly_amount / 10) signedtx = self.nodes[3].signrawtransaction(result["hex"]) assert(not signedtx["complete"]) signedtx = self.nodes[0].signrawtransaction(signedtx["hex"]) assert(signedtx["complete"]) self.nodes[0].sendrawtransaction(signedtx["hex"]) self.nodes[0].generate(1) self.sync_all() ####################### # Test feeRate option # ####################### # Make sure there is exactly one input so coin selection can't skew the result assert_equal(len(self.nodes[3].listunspent(1)), 1) inputs = [] outputs = {self.nodes[3].getnewaddress() : 1} rawtx = self.nodes[3].createrawtransaction(inputs, outputs) result = self.nodes[3].fundrawtransaction(rawtx) # uses min_relay_tx_fee (set by settxfee) result2 = self.nodes[3].fundrawtransaction(rawtx, {"feeRate": 2*min_relay_tx_fee}) result3 = self.nodes[3].fundrawtransaction(rawtx, {"feeRate": 10*min_relay_tx_fee}) result_fee_rate = result['fee'] * 1000 / count_bytes(result['hex']) assert_fee_amount(result2['fee'], count_bytes(result2['hex']), 2 * result_fee_rate) assert_fee_amount(result3['fee'], count_bytes(result3['hex']), 10 * result_fee_rate) ################################ # Test no address reuse occurs # ################################ result3 = self.nodes[3].fundrawtransaction(rawtx) res_dec = self.nodes[0].decoderawtransaction(result3["hex"]) changeaddress = "" for out in res_dec['vout']: if out['value'] > 1.0: changeaddress += out['scriptPubKey']['addresses'][0] assert(changeaddress != "") nextaddr = self.nodes[3].getnewaddress() # Now the change address key should be removed from the keypool assert(changeaddress != nextaddr) ###################################### # Test subtractFeeFromOutputs option # ###################################### # Make sure there is exactly one input so coin selection can't skew the result assert_equal(len(self.nodes[3].listunspent(1)), 1) inputs = [] outputs = {self.nodes[2].getnewaddress(): 1} rawtx = self.nodes[3].createrawtransaction(inputs, outputs) result = [self.nodes[3].fundrawtransaction(rawtx), # uses min_relay_tx_fee (set by settxfee) self.nodes[3].fundrawtransaction(rawtx, {"subtractFeeFromOutputs": []}), # empty subtraction list self.nodes[3].fundrawtransaction(rawtx, {"subtractFeeFromOutputs": [0]}), # uses min_relay_tx_fee (set by settxfee) self.nodes[3].fundrawtransaction(rawtx, {"feeRate": 2*min_relay_tx_fee}), self.nodes[3].fundrawtransaction(rawtx, {"feeRate": 2*min_relay_tx_fee, "subtractFeeFromOutputs": [0]})] dec_tx = [self.nodes[3].decoderawtransaction(tx['hex']) for tx in result] output = [d['vout'][1 - r['changepos']]['value'] for d, r in zip(dec_tx, result)] change = [d['vout'][r['changepos']]['value'] for d, r in zip(dec_tx, result)] assert_equal(result[0]['fee'], result[1]['fee'], result[2]['fee']) assert_equal(result[3]['fee'], result[4]['fee']) assert_equal(change[0], change[1]) assert_equal(output[0], output[1]) assert_equal(output[0], output[2] + result[2]['fee']) assert_equal(change[0] + result[0]['fee'], change[2]) assert_equal(output[3], output[4] + result[4]['fee']) assert_equal(change[3] + result[3]['fee'], change[4]) inputs = [] outputs = {self.nodes[2].getnewaddress(): value for value in (1.0, 1.1, 1.2, 1.3)} rawtx = self.nodes[3].createrawtransaction(inputs, outputs) result = [self.nodes[3].fundrawtransaction(rawtx), # split the fee between outputs 0, 2, and 3, but not output 1 self.nodes[3].fundrawtransaction(rawtx, {"subtractFeeFromOutputs": [0, 2, 3]})] dec_tx = [self.nodes[3].decoderawtransaction(result[0]['hex']), self.nodes[3].decoderawtransaction(result[1]['hex'])] # Nested list of non-change output amounts for each transaction output = [[out['value'] for i, out in enumerate(d['vout']) if i != r['changepos']] for d, r in zip(dec_tx, result)] # List of differences in output amounts between normal and subtractFee transactions share = [o0 - o1 for o0, o1 in zip(output[0], output[1])] # output 1 is the same in both transactions assert_equal(share[1], 0)<|fim▁hole|> assert_greater_than(share[3], 0) # outputs 2 and 3 take the same share of the fee assert_equal(share[2], share[3]) # output 0 takes at least as much share of the fee, and no more than 2 satoshis more, than outputs 2 and 3 assert_greater_than_or_equal(share[0], share[2]) assert_greater_than_or_equal(share[2] + Decimal(2e-8), share[0]) # the fee is the same in both transactions assert_equal(result[0]['fee'], result[1]['fee']) # the total subtracted from the outputs is equal to the fee assert_equal(share[0] + share[2] + share[3], result[0]['fee']) if __name__ == '__main__': RawTransactionsTest().main()<|fim▁end|>
# the other 3 outputs are smaller as a result of subtractFeeFromOutputs assert_greater_than(share[0], 0) assert_greater_than(share[2], 0)
<|file_name|>TestBreakpointOptions.py<|end_file_name|><|fim▁begin|>""" Test breakpoint command for different options. """ from __future__ import print_function import lldb from lldbsuite.test.lldbtest import * import lldbsuite.test.lldbutil as lldbutil class BreakpointOptionsTestCase(TestBase): mydir = TestBase.compute_mydir(__file__) def test(self): """Test breakpoint command for different options.""" self.build() self.breakpoint_options_test() def setUp(self): # Call super's setUp(). TestBase.setUp(self) # Find the line number to break inside main(). self.line = line_number('main.cpp', '// Set break point at this line.') def breakpoint_options_test(self): """Test breakpoint command for different options.""" exe = self.getBuildArtifact("a.out") self.runCmd("file " + exe, CURRENT_EXECUTABLE_SET) # This should create a breakpoint with 1 locations. lldbutil.run_break_set_by_file_and_line( self, "main.cpp", self.line, extra_options="-K 1", num_expected_locations=1) lldbutil.run_break_set_by_file_and_line( self, "main.cpp", self.line, extra_options="-K 0", num_expected_locations=1) # Run the program. self.runCmd("run", RUN_SUCCEEDED) # Stopped once. self.expect("thread backtrace", STOPPED_DUE_TO_BREAKPOINT, substrs=["stop reason = breakpoint 2."]) # Check the list of breakpoint. self.expect( "breakpoint list -f", "Breakpoint locations shown correctly", substrs=[ "1: file = 'main.cpp', line = %d, exact_match = 0, locations = 1" % self.line, "2: file = 'main.cpp', line = %d, exact_match = 0, locations = 1" % self.line]) <|fim▁hole|> # Stopped again. self.expect("thread backtrace", STOPPED_DUE_TO_BREAKPOINT, substrs=["stop reason = breakpoint 1."]) # Continue the program, we should exit. self.runCmd("process continue") # We should exit. self.expect("process status", "Process exited successfully", patterns=["^Process [0-9]+ exited with status = 0"]) def breakpoint_options_language_test(self): """Test breakpoint command for language option.""" exe = self.getBuildArtifact("a.out") self.runCmd("file " + exe, CURRENT_EXECUTABLE_SET) # This should create a breakpoint with 1 locations. lldbutil.run_break_set_by_symbol( self, 'ns::func', sym_exact=False, extra_options="-L c++", num_expected_locations=1) # This should create a breakpoint with 0 locations. lldbutil.run_break_set_by_symbol( self, 'ns::func', sym_exact=False, extra_options="-L c", num_expected_locations=0) self.runCmd("settings set target.language c") lldbutil.run_break_set_by_symbol( self, 'ns::func', sym_exact=False, num_expected_locations=0) # Run the program. self.runCmd("run", RUN_SUCCEEDED) # Stopped once. self.expect("thread backtrace", STOPPED_DUE_TO_BREAKPOINT, substrs=["stop reason = breakpoint 1."]) # Continue the program, we should exit. self.runCmd("process continue") # We should exit. self.expect("process status", "Process exited successfully", patterns=["^Process [0-9]+ exited with status = 0"])<|fim▁end|>
# Continue the program, there should be another stop. self.runCmd("process continue")
<|file_name|>reload.py<|end_file_name|><|fim▁begin|><|fim▁hole|># # This source code is licensed under the OSL-3.0 license found in the # LICENSE file in the root directory of this source tree. from __future__ import unicode_literals import time from django import forms from django.conf import settings from django.core.management import call_command from django.http.response import HttpResponse, JsonResponse from django.utils.translation import ugettext_lazy as _ from django.views.generic import FormView from six import StringIO from shuup.addons.manager import get_enabled_addons from shuup.addons.reloader import get_reload_method_classes from shuup.apps.settings import reload_apps from shuup.utils.excs import Problem from shuup.utils.iterables import first class ReloadMethodForm(forms.Form): def get_viable_reload_methods(self): for klass in get_reload_method_classes(): rm = klass() if rm.is_viable(): yield rm def __init__(self, **kwargs): super(ReloadMethodForm, self).__init__(**kwargs) self.reload_methods = list(self.get_viable_reload_methods()) if not self.reload_methods: raise Problem(_("There are no viable reload methods available. Please contact your system administrator.")) self.fields["reload_method"] = forms.ChoiceField( choices=[(rm.identifier, rm.title) for rm in self.reload_methods], label=_("Reload Method"), initial=self.reload_methods[0].identifier, widget=forms.RadioSelect ) def get_selected_reload_method(self): return first(rm for rm in self.reload_methods if rm.identifier == self.cleaned_data["reload_method"]) def finalize_installation_for_enabled_apps(): out = StringIO() enabled_addons = get_enabled_addons(settings.SHUUP_ENABLED_ADDONS_FILE) new_apps = [app for app in enabled_addons if app not in settings.INSTALLED_APPS] if new_apps: out.write("Enabling new addons: %s" % new_apps) settings.INSTALLED_APPS += type(settings.INSTALLED_APPS)(new_apps) reload_apps() call_command("migrate", "--noinput", "--no-color", stdout=out) call_command("collectstatic", "--noinput", "--no-color", stdout=out) return out.getvalue() class ReloadView(FormView): template_name = "shuup/admin/addons/reload.jinja" form_class = ReloadMethodForm def form_valid(self, form): reloader = form.get_selected_reload_method() reloader.execute() return HttpResponse(_("Reloading.")) # This might not reach the user... def get(self, request, *args, **kwargs): if request.GET.get("ping"): return JsonResponse({"pong": time.time()}) elif request.GET.get("finalize"): return JsonResponse({"message": finalize_installation_for_enabled_apps()}) return super(ReloadView, self).get(request, *args, **kwargs)<|fim▁end|>
# -*- coding: utf-8 -*- # This file is part of Shuup. # # Copyright (c) 2012-2017, Shoop Commerce Ltd. All rights reserved.
<|file_name|>Diamond.py<|end_file_name|><|fim▁begin|>import numpy as np from bokeh.models import ColumnDataSource, Plot, LinearAxis, Grid from bokeh.models.markers import Diamond from bokeh.io import curdoc, show N = 9 x = np.linspace(-2, 2, N) y = x**2 sizes = np.linspace(10, 20, N) source = ColumnDataSource(dict(x=x, y=y, sizes=sizes)) plot = Plot( title=None, plot_width=300, plot_height=300,<|fim▁hole|>glyph = Diamond(x="x", y="y", size="sizes", line_color="#1c9099", line_width=2, fill_color=None) plot.add_glyph(source, glyph) xaxis = LinearAxis() plot.add_layout(xaxis, 'below') yaxis = LinearAxis() plot.add_layout(yaxis, 'left') plot.add_layout(Grid(dimension=0, ticker=xaxis.ticker)) plot.add_layout(Grid(dimension=1, ticker=yaxis.ticker)) curdoc().add_root(plot) show(plot)<|fim▁end|>
h_symmetry=False, v_symmetry=False, min_border=0, toolbar_location=None)
<|file_name|>worldedit.js<|end_file_name|><|fim▁begin|>var async = require('async'); Array.prototype.count = function() { var amount = 0; this.forEach(function(n) { if( typeof n !== 'number' ) { return; } amount += n; }); return amount; }; module.exports = function () { return function (game) { var iterateCuboid = function(l1, l2, callback) { var tasks = []; for(var x = (Math.min(l1.x, l2.x) & 0x0f); x <= (Math.max(l1.x, l2.x) & 0x0f); x++) { for(var y = Math.min(l1.y, l2.y); y <= Math.max(l1.y, l2.y); y++) { for(var z = (Math.min(l1.z, l2.z) & 0x0f); z <= (Math.max(l1.z, l2.z) & 0x0f); z++) { tasks.push(callback.bind(undefined, { 'x': x, 'y': y, 'z': z })); } } } return tasks; }; var locationToChunk = function(location) { return { x: location.x >> 4, z: location.z >> 4 }; }; var iterateChunks = function(l1, l2, callback) { var array = []; l1 = locationToChunk(l1); l2 = locationToChunk(l2); for(var x = Math.min(l1.x, l2.x); x <= Math.max(l1.x, l2.x); x++) { for(var z = Math.min(l1.z, l2.z); z <= Math.max(l1.z, l2.z); z++) { array.push(callback.bind(undefined, x, z)); } } return array; }; var set = function(axis, callbacks, finish) { var startTime = new Date().getTime(); var blocks = (Math.abs(axis.first.x - axis.second.x) + 1) * (Math.abs(axis.first.y - axis.second.y) + 1) * (Math.abs(axis.first.z - axis.second.z) + 1), count = 0; var weMin = { x: Math.min(axis.first.x, axis.second.x), z: Math.min(axis.first.z, axis.second.z) },<|fim▁hole|> x: Math.max(axis.first.x, axis.second.x), z: Math.max(axis.first.z, axis.second.z) }; async.series( iterateChunks(axis.first, axis.second, function(x, z, callback) { var cMin = { x: x << 4, y: axis.first.y, z: z << 4 }, cMax = { x: ((x + 1) << 4) -1, y: axis.second.y, z: ((z + 1) << 4) -1 }; if( weMin.x > cMin.x ) { cMin.x = weMin.x; } if( weMin.z > cMin.z ) { cMin.z = weMin.z; } if( weMax.x < cMax.x ) { cMax.x = weMax.x; } if( weMax.z < cMax.z ) { cMax.z = weMax.z; } game.map.get_chunk(x, z, function(err, chunk) { async.parallel( iterateCuboid(cMin, cMax, callbacks.perBlock.bind(undefined, chunk)), function(err, results) { var count = results.count(); process.nextTick( callback.bind(undefined, null, count) ); chunk.getPackage(function(newpacket) { game.players.forEach(function (player) { player.send(newpacket); }); }); } ); }); }), function(err, results) { var count = results.count(), endTime = new Date().getTime(); finish(count, endTime - startTime); } ); }; game.on("player:join", function (player) { player.message = function(msg, colour) { msg = "§5[Jsmc] §7" + msg; player.send({pid: 0x03, message: msg}); }; player.weAxis = {}; player.weReady = function() { if( !('first' in this.weAxis) || !('second' in this.weAxis) ) { return false; } return true; }; player.on("click", function (packet) { if( player.inventory.heldItem().block !== 269 ) { return; } player.weAxis.second = packet.location; player.message("Second point set!"); }); player.on("dig", function (packet) { if( player.inventory.heldItem().block !== 269 ) { return; } player.weAxis.first = packet.location; player.message("First point set!"); }); player.on("command", function(event) { // When player uses a command if (!player.isAdmin()) return; if( event.command.substr(0, 1) !== '/' ) return; event.command = event.command.substr(1); switch (event.command) { case "set": { game.storage.itemInfo(event.args[0], function(data) { if(!data) { player.message("No item " + event.args[0] + " found :(?"); return; } set(player.weAxis, { 'perBlock': function(chunk, location, callback) { chunk.set_block_type(location.x, location.z, location.y, data.id); callback(null, 1); } }, function(count, time) { player.message("Done in " + (Math.floor(time/100) / 10) + "!"); player.message("Changed " + count + " blocks!"); }); }); break; }; case "replace": { game.storage.itemInfo(event.args[0], function(item1) { game.storage.itemInfo(event.args[1], function(item2) { if(!item1) { player.message("No item " + event.args[0] + " found :(?"); return; } if(!item2) { player.message("No item " + event.args[1] + " found :(?"); return; } set(player.weAxis, { 'perBlock': function(chunk, location, callback) { if(chunk.get_block_type(location.x, location.z, location.y) !== item1.id) { callback(null, 0); return; } chunk.set_block_type(location.x, location.z, location.y, item2.id); callback(null, 1); } }, function( count, time) { player.message("Done in " + (Math.floor(time/100) / 10) + "!"); player.message("Changed " + count + " blocks!"); }); });}); break; }; case "clear": { player.weAxis = {}; player.message("World edit points cleared!"); break; }; } }); }); }; };<|fim▁end|>
weMax = {
<|file_name|>generator.py<|end_file_name|><|fim▁begin|>""" generator.py: Contains the Generator class. """ import random import copy import graphics from helpers import * # Just to check we have generated the correct number of polyominoes # {order: number of omiones} counts = {1: 1, 2: 1, 3: 2, 4: 7, 5: 18, 6: 60} class Generator: """ A class for generating polyominoes. Call the generate function with the polyomino order wanted. Please Note: This class has not been tested for orders greater than 6. """ def generate(self, order): """ Return a list of all the one-sided polyominoes of the given order. Objects in returned list are 2D square lists representing the shape of the polyominoes by boolean values. generate(int) -> list<list<list<bool>>> """ self._order = order ominoes = [] if order == 1: ominoes = [[[True]]] return ominoes # This is the 'growth method' algorithm for generating polyominoes. # A order * order grid is made, then the bottom-left block filled. # The squares adjacent to that block are numbered, and one of them # is randomly picked. This continues till order blocks are filled.<|fim▁hole|> while len(ominoes) < counts[order]: free_squares = {} pick = 0 max_number = 0 omino = rect_list(order, order, False) if order > 4: # A different starting point for orders > 4 # This is so crosses and similar shapes can be generated row, col = order - 2, 0 else: row, col = order - 1, 0 omino[row][col] = True for s in xrange(order - 1): free_squares, max_number = self._number_adjacent_squares(omino, (row, col), free_squares, max_number) possible = [n for n in free_squares.keys() if n > pick] pick = random.choice(possible) row, col = free_squares[pick] free_squares.pop(pick) omino[row][col] = True omino = self._normalise(omino) if not [n for n in ominoes if n == omino]: ominoes.append(omino) return ominoes def generate_colours(self, n): """ Generate n unique colours and return as a list of RGB triples. Colours are as contrasted as possible. generate_colours(int) -> list<(int, int, int)> """ # This divides the 360 degrees of hue in the HSV colour space by n, # and so chooses n colours with equally spaced hues. colours = [] degrees = 360 / n for i in xrange(n): hsv = (degrees * i, 1.0, 0.78) rgb = graphics.hsv2rgb(hsv) colours.append(rgb) return colours def _normalise(self, polyomino): """ Return a copy of the given polyomino with its rotation and position normalised. That is, in its left- and bottom-most position and rotation. _normalise(list<list<bool>>) -> list<list<bool>> """ # Bottom- and left-most rotation and position is defined here as the # position in which the most bottom row and left column squares are # filled. adjusted = copy.deepcopy(polyomino) rowfractions = {} # Fraction of bottom row filled colfractions = {} # Fraction of left column filled for rotation in xrange(4): adjusted = self._move(adjusted) rowfilled = adjusted[self._order - 1].count(True) rowfraction = float(rowfilled) / self._order rowfractions.update({rotation: rowfraction}) colfilled = [adjusted[row][0] for row in xrange(self._order)].count(True) colfraction = float(colfilled) / self._order colfractions.update({rotation: colfraction}) adjusted = self._rotate(adjusted) # Pick the rotation with the largest fractions rowpick = max(rowfractions.values()) rowpicked_rotations = [k for k, v in rowfractions.iteritems() \ if v == rowpick] if len(rowpicked_rotations) > 1: colpick = max([v for k, v in colfractions.iteritems() \ if k in rowpicked_rotations]) colpicked_rotations = [k for k, v in colfractions.iteritems() \ if v == colpick and k in rowpicked_rotations] if len(colpicked_rotations) == 0: rotations = rowpicked_rotations[0] else: rotations = colpicked_rotations[0] else: rotations = rowpicked_rotations[0] normalised = copy.deepcopy(polyomino) for rotation in xrange(rotations): normalised = self._rotate(normalised) normalised = self._move(normalised) return normalised def _move(self, polyomino): """ Return a copy of the given polyomino pushed into the bottom left corner of its grid. _move(list<list<bool>>) -> list<list<bool>> """ moved = copy.deepcopy(polyomino) while moved[self._order - 1].count(True) == 0: # While bottom row is empty, move down for row in xrange(self._order - 1, 0, -1): for col in xrange(self._order): moved[row][col] = moved[row - 1][col] moved[0] = [False] * self._order while [moved[row][0] for row in xrange(self._order)].count(True) == 0: # While left column is empty, move left for row in xrange(self._order): for col in xrange(self._order - 1): moved[row][col] = moved[row][col + 1] for row in xrange(self._order): moved[row][self._order - 1] = False return moved def _rotate(self, polyomino): """ Return a copy of the given polyomino rotated clockwise 90 degrees. _rotate(list<list<bool>>) -> list<list<bool>> """ rotated = rect_list(self._order, self._order, False) for row in xrange(self._order): for col in xrange(self._order): rotated[col][self._order - 1 - row] = polyomino[row][col] return rotated def _number_adjacent_squares(self, polyomino, coordinates, \ numbered_squares, max_number): """ Return a pair with a dictionary of all the adjacent squares in the given polyomino, keyed by their number, where they are numbered clockwise from the top, and the highest numbered square. Numbering will start from max_number and any previously numbered squares in numbered_squares will be included. _number_adjacent_squares(list<list<bool>>, (int,int), dict<int:(int,int)>, int) -> (dict<int:(int, int)>, int) """ row, col = coordinates possible_squares = [(row - 1, col), (row, col + 1), (row + 1, col), (row, col - 1)] adjacents = copy.deepcopy(numbered_squares) n = max_number for row, col in possible_squares: if row in range(self._order) and col in range(self._order) \ and not polyomino[row][col] \ and not (row, col) in numbered_squares.values(): # Number the square only if its in the grid, not already # numbered and not already filled n += 1 adjacents.update({n: (row, col)}) return adjacents, n<|fim▁end|>
# Check to see if generated polyomino is a repeat, and continue # till we've generated enough.
<|file_name|>escprober.py<|end_file_name|><|fim▁begin|>######################## BEGIN LICENSE BLOCK ######################## # The Original Code is mozilla.org code. # # The Initial Developer of the Original Code is # Netscape Communications Corporation. # Portions created by the Initial Developer are Copyright (C) 1998 # the Initial Developer. All Rights Reserved. # # Contributor(s): # Mark Pilgrim - port to Python # # This library is free software; you can redistribute it and/or # modify it under the terms of the GNU Lesser General Public # License as published by the Free Software Foundation; either # version 2.1 of the License, or (at your option) any later version. # # This library is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # Lesser General Public License for more details. # # You should have received a copy of the GNU Lesser General Public # License along with this library; if not, write to the Free Software # Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA # 02110-1301 USA ######################### END LICENSE BLOCK ######################### from . import constants import sys from .escsm import HZSMModel, ISO2022CNSMModel, ISO2022JPSMModel, ISO2022KRSMModel from .charsetprober import CharSetProber from .codingstatemachine import CodingStateMachine class EscCharSetProber(CharSetProber): def __init__(self):<|fim▁hole|> CodingStateMachine(HZSMModel), CodingStateMachine(ISO2022CNSMModel), CodingStateMachine(ISO2022JPSMModel), CodingStateMachine(ISO2022KRSMModel) ] self.reset() def reset(self): CharSetProber.reset(self) for codingSM in self._mCodingSM: if not codingSM: continue codingSM.active = True codingSM.reset() self._mActiveSM = len(self._mCodingSM) self._mDetectedCharset = None def get_charset_name(self): return self._mDetectedCharset def get_confidence(self): if self._mDetectedCharset: return 0.99 else: return 0.00 def feed(self, aBuf): for c in aBuf: # PY3K: aBuf is a byte array, so c is an int, not a byte for codingSM in self._mCodingSM: if not codingSM: continue if not codingSM.active: continue codingState = codingSM.next_state(c) if codingState == constants.eError: codingSM.active = False self._mActiveSM -= 1 if self._mActiveSM <= 0: self._mState = constants.eNotMe return self.get_state() elif codingState == constants.eItsMe: self._mState = constants.eFoundIt self._mDetectedCharset = codingSM.get_coding_state_machine() return self.get_state() return self.get_state()<|fim▁end|>
CharSetProber.__init__(self) self._mCodingSM = [ \
<|file_name|>pyunit_te_deprecated_params.py<|end_file_name|><|fim▁begin|>from __future__ import print_function import os import sys import warnings sys.path.insert(1, os.path.join("..","..","..","..")) import h2o from h2o.estimators import H2OTargetEncoderEstimator from h2o.exceptions import H2ODeprecationWarning from h2o.utils.metaclass import fullname from tests import pyunit_utils as pu seed = 42 te_init_name = fullname(H2OTargetEncoderEstimator.__init__) def load_dataset(incl_test=False, incl_foldc=False): fr = h2o.import_file(pu.locate("smalldata/titanic/titanic_expanded.csv"), header=1) target = "survived" train = fr test = None if incl_test: fr = fr.split_frame(ratios=[.8], destination_frames=["titanic_train", "titanic_test"], seed=seed)<|fim▁hole|> return pu.ns(train=train, test=test, target=target) def test_deprecated_k_param_is_alias_for_inflection_point(): ds = load_dataset(incl_test=True) te = H2OTargetEncoderEstimator(noise=0) te.train(y=ds.target, training_frame=ds.train) encoded = te.predict(ds.test) # print(encoded) with warnings.catch_warnings(record=True) as w: warnings.simplefilter("always") te_k = H2OTargetEncoderEstimator(noise=0, k=5, blending=True) assert len(w) == 1 assert issubclass(w[0].category, H2ODeprecationWarning) assert "``k`` param of ``{}`` is deprecated".format(te_init_name) in str(w[0].message) te_k.train(y=ds.target, training_frame=ds.train) encoded_k = te_k.predict(ds.test) # print(encoded_k) te_ip = H2OTargetEncoderEstimator(noise=0, inflection_point=5, blending=True) te_ip.train(y=ds.target, training_frame=ds.train) encoded_ip = te_ip.predict(ds.test) # print(encoded_ip) try: pu.compare_frames(encoded_k, encoded, 0, tol_numeric=1e-5) assert False, "should have raised" except AssertionError as ae: assert "should have raised" not in str(ae) assert pu.compare_frames(encoded_k, encoded_ip, 0, tol_numeric=1e-5) def test_deprecated_f_param_is_alias_for_smoothing(): ds = load_dataset(incl_test=True) te = H2OTargetEncoderEstimator(noise=0) te.train(y=ds.target, training_frame=ds.train) encoded = te.predict(ds.test) # print(encoded) with warnings.catch_warnings(record=True) as w: warnings.simplefilter("always") te_f = H2OTargetEncoderEstimator(noise=0, f=25, blending=True) assert len(w) == 1 assert issubclass(w[0].category, H2ODeprecationWarning) assert "``f`` param of ``{}`` is deprecated".format(te_init_name) in str(w[0].message) te_f.train(y=ds.target, training_frame=ds.train) encoded_f = te_f.predict(ds.test) # print(encoded_f) te_s = H2OTargetEncoderEstimator(noise=0, smoothing=25, blending=True) te_s.train(y=ds.target, training_frame=ds.train) encoded_s = te_s.predict(ds.test) # print(encoded_s) try: pu.compare_frames(encoded_f, encoded, 0, tol_numeric=1e-5) assert False, "should have raised" except AssertionError as ae: assert "should have raised" not in str(ae) assert pu.compare_frames(encoded_f, encoded_s, 0, tol_numeric=1e-5) def test_deprecated_noise_level_param_is_alias_for_noise(): ds = load_dataset(incl_test=True) te = H2OTargetEncoderEstimator() te.train(y=ds.target, training_frame=ds.train) encoded = te.predict(ds.test) # print(encoded) with warnings.catch_warnings(record=True) as w: warnings.simplefilter("always") te_nl = H2OTargetEncoderEstimator(noise_level=0) assert len(w) == 1 assert issubclass(w[0].category, H2ODeprecationWarning) assert "``noise_level`` param of ``{}`` is deprecated".format(te_init_name) in str(w[0].message) te_nl.train(y=ds.target, training_frame=ds.train) encoded_nl = te_nl.predict(ds.test) # print(encoded_nl) te_n = H2OTargetEncoderEstimator(noise=0) te_n.train(y=ds.target, training_frame=ds.train) encoded_n = te_n.predict(ds.test) # print(encoded_n) try: pu.compare_frames(encoded_nl, encoded, 0, tol_numeric=1e-5) assert False, "should have raised" except AssertionError as ae: assert "should have raised" not in str(ae) assert pu.compare_frames(encoded_nl, encoded_n, 0, tol_numeric=1e-5) def test_transform_seed_param_raise_warning(): ds = load_dataset(incl_test=True) te = H2OTargetEncoderEstimator(seed=42) te.train(y=ds.target, training_frame=ds.train) encoded = te.predict(ds.test) transformed_1 = te.transform(ds.test) with warnings.catch_warnings(record=True) as w: warnings.simplefilter("always") transformed_2 = te.transform(ds.test, seed=24) assert len(w) == 1 assert issubclass(w[0].category, H2ODeprecationWarning) assert "`seed` is deprecated in `transform` method and will be ignored" in str(w[0].message) assert pu.compare_frames(encoded, transformed_1, 0, tol_numeric=1e-5) assert pu.compare_frames(encoded, transformed_2, 0, tol_numeric=1e-5) def test_transform_data_leakage_handling_param_raise_warning(): ds = load_dataset(incl_test=True) te = H2OTargetEncoderEstimator(data_leakage_handling="leave_one_out", seed=42) te.train(y=ds.target, training_frame=ds.train) encoded = te.predict(ds.test) encoded_as_training = te.transform(ds.test, as_training=True) transformed_1 = te.transform(ds.test) with warnings.catch_warnings(record=True) as w: warnings.simplefilter("always") transformed_2 = te.transform(ds.test, data_leakage_handling="none") assert len(w) == 1 assert issubclass(w[0].category, H2ODeprecationWarning) assert "`data_leakage_handling` is deprecated in `transform` method and will be ignored" in str(w[0].message) # if data_leakage_handling is specified and not "none", this is interpreted as `as_training=True` with warnings.catch_warnings(record=True) as w: warnings.simplefilter("always") transformed_3 = te.transform(ds.test, data_leakage_handling="leave_one_out") assert len(w) == 2 assert issubclass(w[1].category, H2ODeprecationWarning) assert "as_training=True" in str(w[1].message) assert pu.compare_frames(encoded, transformed_1, 0, tol_numeric=1e-5) assert pu.compare_frames(encoded, transformed_2, 0, tol_numeric=1e-5) assert pu.compare_frames(encoded_as_training, transformed_3, 0, tol_numeric=1e-5) try: pu.compare_frames(encoded, transformed_3, 0, tol_numeric=1e-5) assert False, "should have raised" except AssertionError as ae: assert "should have raised" not in str(ae) pu.run_tests([ test_deprecated_k_param_is_alias_for_inflection_point, test_deprecated_f_param_is_alias_for_smoothing, test_deprecated_noise_level_param_is_alias_for_noise, test_transform_seed_param_raise_warning, test_transform_data_leakage_handling_param_raise_warning, ])<|fim▁end|>
train = fr[0] test = fr[1] if incl_foldc: train["foldc"] = train.kfold_column(3, seed)
<|file_name|>test_troubleshooter_views_ping.py<|end_file_name|><|fim▁begin|>import pytest from postix.core.models import Ping<|fim▁hole|> from ..factories import cashdesk_factory, ping_factory @pytest.mark.django_db def test_troubleshooter_ping_view(troubleshooter_client): [ping_factory(ponged=(index % 3 != 0)) for index in range(10)] desk = cashdesk_factory() assert Ping.objects.count() == 10 response = troubleshooter_client.get('/troubleshooter/ping/') assert response.status_code == 200 response = troubleshooter_client.post( '/troubleshooter/ping/', {'cashdesk': desk.pk}, follow=True ) assert response.status_code == 200 assert Ping.objects.count() == 11<|fim▁end|>
<|file_name|>BDDiskFile.cpp<|end_file_name|><|fim▁begin|>/* ** Blue Dust - File code (cut-down, read only) */ #include <stdio.h> #include <stdlib.h> #include "BDDiskFile.h" #include "BDTypes.h" CBDDiskFile::CBDDiskFile() { m_fp = 0; } CBDDiskFile::~CBDDiskFile() { Close(); } int CBDDiskFile::Open(const char *pFilename) { m_fp = fopen(pFilename, "r"); if (!m_fp) return 0; // return 1; } int CBDDiskFile::Close(void) { if (m_fp) fclose(m_fp); m_fp = NULL; return 1; } int CBDDiskFile::GetChar(char *pC) { int c; if (!m_fp) return 0; if ((c = fgetc(m_fp)) == EOF) return 0; fseek(m_fp, -1, SEEK_CUR); *pC = (char)c; return 1; } int CBDDiskFile::ReadChar(char *pC) { int c; if (!m_fp) return 0; if ((c = fgetc(m_fp)) == EOF) return 0; *pC = (char)c; return 1; } int CBDDiskFile::Seek(long iAmount, int iFrom) { if (!m_fp) return 0; // switch(iFrom) { case BD_SEEK_SET: if (fseek(m_fp, iAmount, SEEK_SET)) return 0; break; case BD_SEEK_CUR: if (fseek(m_fp, iAmount, SEEK_CUR)) return 0; break; case BD_SEEK_END: if (fseek(m_fp, iAmount, SEEK_END)) return 0;<|fim▁hole|> } return 1; } int CBDDiskFile::EndOfFile(void) { if (m_fp) return feof(m_fp); else return 1; }<|fim▁end|>
break;
<|file_name|>document.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python # -*- coding: utf-8 -*- import logging from functools import partialmethod from pymongo.operations import UpdateOne, InsertOne from .cache import CachedModel from .errors import ConfigError, ArgumentError from .metatype import DocumentType, EmbeddedDocumentType from .fields import EmbeddedField log = logging.getLogger('yamo') class classproperty(object): def __init__(self, fget): self.fget = fget def __get__(self, owner_self, owner_cls): return self.fget(owner_cls) class MongoOperationMixin(object): """ Mongodb raw operations """ @classmethod def run_command(cls, *args, **kwargs): cmd = kwargs['cmd'] del kwargs['cmd'] return getattr(cls._coll, cmd)(*args, **kwargs) for cmd in [ 'insert_one', 'insert_many', 'find', 'find_one', 'find_one_and_delete', 'find_one_and_replace', 'find_one_and_update', 'update_one', 'update_many', 'replace_one', 'delete_one', 'delete_many', 'create_index', 'create_indexes', 'reindex', 'index_information', 'list_indexes', 'drop', 'drop_index', 'drop_indexes', 'aggregate', 'group', 'inline_map_reduce', 'map_reduce', 'bulk_write', 'initialize_ordered_bulk_op', 'initialize_unordered_bulk_op', 'rename', 'count', 'distinct', 'options', 'with_options', ]: locals()[cmd] = partialmethod(run_command, cmd=cmd) class InitMixin(object): def __init__(self, data=None): self._refs = {} self._data = {} self._defaults = {} if data: for name, field in self._fields.items(): if name in data: value = data[name] else: value = field.default if callable(value): value = value() if value is not None: self._defaults[name] = value value = field.to_storage(value) self._data[name] = value class ValidationMixin(object): def validate(self): for name, field in self._fields.items(): if name in self._data: value = field.to_python(self._data[name]) field.validate(value) def to_dict(self):<|fim▁hole|> d = {} for name, field in self._fields.items(): value = field.to_python(self._data.get(name)) if isinstance(value, list): ovalue, value = value, [] for v in ovalue: if isinstance(v, EmbeddedDocument): v = v.to_dict() value.append(v) d[name] = value return d class MetaMixin(object): """ helper methods for "Meta" info """ @classproperty def unique_fields(cls): names = set() for idx in cls.Meta._indexes or []: if idx.kwargs.get('unique'): for key in idx.keys: if isinstance(key, tuple): names.add(key[0]) else: names.add(key) return names @classmethod def prepare(cls): cls.ensure_indexes() cls.ensure_shards() @classmethod def ensure_indexes(cls): allowed_keys = set(['name', 'unique', 'background', 'sparse', 'bucketSize', 'min', 'max', 'expireAfterSeconds']) for idx in cls.Meta._indexes or []: if set(idx.kwargs.keys()) - allowed_keys: raise ArgumentError(MetaMixin.ensure_indexes, idx.kwargs) cls._coll.create_index(idx.keys, **idx.kwargs) @classmethod def ensure_shards(cls): if cls.Meta._shardkey: admin = cls._conn.admin dbname = cls._db.name try: admin.command('enableSharding', dbname) except Exception as e: if 'already' in e: try: admin.command( 'shardCollection', '{}.{}'.format(dbname, cls.Meta.__collection__), key=cls.Meta._shardkey.key) except Exception as e: if 'already' not in e: log.warning('shard collection failed: ' '{}'.format(str(e))) else: log.warning('enable shard failed: ' '{}'.format(str(e))) class MapperMixin(object): """ ORM only method mixins """ def refresh(self): _id = self._data.get('_id') self._data = {} if _id: doc = self._coll.find_one({'_id': _id}) if doc: self._data = doc self.validate() @classmethod def query(cls, *args, **kwargs): """ Same as collection.find, but return Document then dict """ for doc in cls._coll.find(*args, **kwargs): yield cls.from_storage(doc) @classmethod def query_one(cls, *args, **kwargs): """ Same as collection.find_one, but return Document then dict """ doc = cls._coll.find_one(*args, **kwargs) if doc: return cls.from_storage(doc) def update(self, update): """ Update self """ self._coll.update_one({'_id': self._data['_id']}, update) def upsert(self, null=False): """ Insert or Update Document :param null: whether update null values Wisely select unique field values as filter, Update with upsert=True """ self._pre_save() self.validate() filter_ = self._upsert_filter() if filter_: update = self._upsert_update(filter_, null) if update['$set']: r = self._coll.find_one_and_update(filter_, update, upsert=True, new=True) self._data['_id'] = r['_id'] else: r = self._coll.insert_one(self._data) self._data['_id'] = r.inserted_id def save(self): self._pre_save() self._ensure_id() self.validate() if '_id' in self._data: doc = self._data.copy() del doc['_id'] self._coll.update_one({'_id': self._data['_id']}, {'$set': doc}, upsert=True) else: self._coll.insert_one(self._data) @classmethod def bulk_upsert(cls, docs, null=False): if len(docs) == 0: return 0 requests = [] for doc in docs: if not isinstance(doc, cls): raise ArgumentError(cls, docs) doc._pre_save() doc.validate() filter_ = doc._upsert_filter() if filter_: update = doc._upsert_update(filter_, null) if update['$set']: requests.append(UpdateOne(filter_, update, upsert=True)) else: requests.append(InsertOne(doc._data)) r = cls._coll.bulk_write(requests, ordered=False) return r.upserted_count def remove(self): _id = self._ensure_id() if _id: self._coll.delete_one({'_id': _id}) else: log.warning("This document has no _id, it can't be deleted") @classmethod def cached(cls, timeout=60, cache_none=False): """ Cache queries :param timeout: cache timeout :param cache_none: cache None result Usage:: >>> Model.cached(60).query({...}) """ return CachedModel(cls=cls, timeout=timeout, cache_none=cache_none) def _pre_save(self): for name, field in self._fields.items(): value = field.pre_save_val(self._data.get(name)) if value: setattr(self, name, value) if not field.required and name in self._data \ and self._data[name] is None: del self._data[name] def _upsert_filter(self): filter_ = {} if self._ensure_id(): filter_['_id'] = self._data['_id'] for name in self.unique_fields: value = self._data.get(name) if value: filter_[name] = value return filter_ def _upsert_update(self, filter_, null=False): to_update = {} to_insert = {} for key, value in self._data.items(): if key not in filter_ and (null or value is not None): if self._defaults.get(key) == value: # default value should only been applied if it is an insert to_insert[key] = value else: to_update[key] = value update = {'$set': to_update} if to_insert: update['$setOnInsert'] = to_insert return update def _ensure_id(self): _id = self._data.get('_id') if not _id and self.Meta._formatter: try: _id = self.Meta._formatter._format(**self._data) except KeyError: pass else: self._data['_id'] = _id return _id class EmbeddedDocument(InitMixin, ValidationMixin, metaclass=EmbeddedDocumentType): pass class Document(InitMixin, ValidationMixin, MetaMixin, MapperMixin, MongoOperationMixin, metaclass=DocumentType): @classmethod def from_storage(cls, data): instance = cls() instance._data = data # create reference to embedded values for key, value in instance._fields.items(): if isinstance(value, EmbeddedField): instance._refs[key] = value.to_python(data[key]) return instance @classproperty def _db(cls): raise ConfigError('Database not registered, did you run ' 'conn.register_all()?') @classproperty def _coll(cls): return cls._db[cls.Meta.__collection__] def _get_db(self): return self._db def _get_coll(self): return self._coll<|fim▁end|>
<|file_name|>cargo_output_metadata.rs<|end_file_name|><|fim▁begin|>use crate::core::compiler::{CompileKind, CompileTarget, RustcTargetData}; use crate::core::dependency::DepKind; use crate::core::resolver::{HasDevUnits, Resolve, ResolveOpts}; use crate::core::{Dependency, InternedString, Package, PackageId, Workspace}; use crate::ops::{self, Packages}; use crate::util::CargoResult; use cargo_platform::Platform; use serde::Serialize; use std::collections::HashMap; use std::path::PathBuf; const VERSION: u32 = 1; pub struct OutputMetadataOptions { pub features: Vec<String>, pub no_default_features: bool, pub all_features: bool, pub no_deps: bool, pub version: u32, pub filter_platform: Option<String>, } /// Loads the manifest, resolves the dependencies of the package to the concrete /// used versions - considering overrides - and writes all dependencies in a JSON /// format to stdout. pub fn output_metadata(ws: &Workspace<'_>, opt: &OutputMetadataOptions) -> CargoResult<ExportInfo> { if opt.version != VERSION { anyhow::bail!( "metadata version {} not supported, only {} is currently supported", opt.version, VERSION ); } let (packages, resolve) = if opt.no_deps { let packages = ws.members().cloned().collect(); (packages, None) } else { let (packages, resolve) = build_resolve_graph(ws, opt)?; (packages, Some(resolve)) }; Ok(ExportInfo { packages, workspace_members: ws.members().map(|pkg| pkg.package_id()).collect(), resolve, target_directory: ws.target_dir().into_path_unlocked(), version: VERSION, workspace_root: ws.root().to_path_buf(), }) } /// This is the structure that is serialized and displayed to the user. /// /// See cargo-metadata.adoc for detailed documentation of the format. #[derive(Serialize)] pub struct ExportInfo { packages: Vec<Package>, workspace_members: Vec<PackageId>, resolve: Option<MetadataResolve>, target_directory: PathBuf, version: u32, workspace_root: PathBuf, } #[derive(Serialize)] struct MetadataResolve { nodes: Vec<MetadataResolveNode>, root: Option<PackageId>, } #[derive(Serialize)] struct MetadataResolveNode { id: PackageId, dependencies: Vec<PackageId>, deps: Vec<Dep>, features: Vec<InternedString>, } #[derive(Serialize)] struct Dep { name: String, pkg: PackageId, dep_kinds: Vec<DepKindInfo>, } #[derive(Serialize, PartialEq, Eq, PartialOrd, Ord)] struct DepKindInfo { kind: DepKind, target: Option<Platform>, } impl From<&Dependency> for DepKindInfo { fn from(dep: &Dependency) -> DepKindInfo { DepKindInfo { kind: dep.kind(), target: dep.platform().cloned(), } } } /// Builds the resolve graph as it will be displayed to the user. fn build_resolve_graph( ws: &Workspace<'_>, metadata_opts: &OutputMetadataOptions, ) -> CargoResult<(Vec<Package>, MetadataResolve)> { // TODO: Without --filter-platform, features are being resolved for `host` only. // How should this work? let requested_kind = match &metadata_opts.filter_platform { Some(t) => CompileKind::Target(CompileTarget::new(t)?), None => CompileKind::Host, }; let target_data = RustcTargetData::new(ws, requested_kind)?; // Resolve entire workspace. let specs = Packages::All.to_package_id_specs(ws)?; let resolve_opts = ResolveOpts::new( /*dev_deps*/ true, &metadata_opts.features, metadata_opts.all_features, !metadata_opts.no_default_features, ); let ws_resolve = ops::resolve_ws_with_opts( ws, &target_data, requested_kind, &resolve_opts, &specs, HasDevUnits::Yes, )?; // Download all Packages. This is needed to serialize the information // for every package. In theory this could honor target filtering, // but that would be somewhat complex. let mut package_map: HashMap<PackageId, Package> = ws_resolve .pkg_set .get_many(ws_resolve.pkg_set.package_ids())? .into_iter() .map(|pkg| (pkg.package_id(), pkg.clone())) .collect(); // Start from the workspace roots, and recurse through filling out the // map, filtering targets as necessary. let mut node_map = HashMap::new(); for member_pkg in ws.members() { build_resolve_graph_r( &mut node_map, member_pkg.package_id(), &ws_resolve.targeted_resolve,<|fim▁hole|> } // Get a Vec of Packages. let actual_packages = package_map .drain() .filter_map(|(pkg_id, pkg)| node_map.get(&pkg_id).map(|_| pkg)) .collect(); let mr = MetadataResolve { nodes: node_map.drain().map(|(_pkg_id, node)| node).collect(), root: ws.current_opt().map(|pkg| pkg.package_id()), }; Ok((actual_packages, mr)) } fn build_resolve_graph_r( node_map: &mut HashMap<PackageId, MetadataResolveNode>, pkg_id: PackageId, resolve: &Resolve, package_map: &HashMap<PackageId, Package>, target_data: &RustcTargetData, requested_kind: CompileKind, ) { if node_map.contains_key(&pkg_id) { return; } let features = resolve.features(pkg_id).to_vec(); let deps: Vec<Dep> = resolve .deps(pkg_id) .filter(|(_dep_id, deps)| match requested_kind { CompileKind::Target(_) => deps .iter() .any(|dep| target_data.dep_platform_activated(dep, requested_kind)), // No --filter-platform is interpreted as "all platforms". CompileKind::Host => true, }) .filter_map(|(dep_id, deps)| { let dep_kinds: Vec<_> = deps.iter().map(DepKindInfo::from).collect(); package_map .get(&dep_id) .and_then(|pkg| pkg.targets().iter().find(|t| t.is_lib())) .and_then(|lib_target| resolve.extern_crate_name(pkg_id, dep_id, lib_target).ok()) .map(|name| Dep { name, pkg: dep_id, dep_kinds, }) }) .collect(); let dumb_deps: Vec<PackageId> = deps.iter().map(|dep| dep.pkg).collect(); let to_visit = dumb_deps.clone(); let node = MetadataResolveNode { id: pkg_id, dependencies: dumb_deps, deps, features, }; node_map.insert(pkg_id, node); for dep_id in to_visit { build_resolve_graph_r( node_map, dep_id, resolve, package_map, target_data, requested_kind, ); } }<|fim▁end|>
&package_map, &target_data, requested_kind, );
<|file_name|>StoreCommandResponse.java<|end_file_name|><|fim▁begin|>/** * Copyright 2014 Groupon.com * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.groupon.vertx.memcache.client.response; /** * Represents a memcache store response. * * @author Stuart Siegrist (fsiegrist at groupon dot com) * @since 3.1.0 */ public final class StoreCommandResponse extends MemcacheCommandResponse { private final String data; private StoreCommandResponse(Builder builder) { super(builder); data = builder.data;<|fim▁hole|> public String getData() { return data; } /** * Builder for the StoreCommandResponse */ public static class Builder extends AbstractBuilder<Builder, StoreCommandResponse> { private String data; @Override protected Builder self() { return this; } public Builder setData(String value) { data = value; return self(); } @Override public StoreCommandResponse build() { return new StoreCommandResponse(this); } } }<|fim▁end|>
}
<|file_name|>search.go<|end_file_name|><|fim▁begin|><|fim▁hole|>// of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. package cmd import ( "encoding/json" "fmt" "io/ioutil" "log" "os" "strconv" yaml "gopkg.in/yaml.v2" "github.com/spf13/cobra" ) // searchCmd represents the search command var searchCmd = &cobra.Command{ Use: "search [query]", Short: "Search for matching passwords.", Long: "The returned data is the same as in the passwords lists (all active, archived, favorite and search) in the web interface.", Run: func(cmd *cobra.Command, args []string) { if len(args) < 1 { fmt.Printf("%s\n\n", cmd.Short) fmt.Println(cmd.UsageString()) os.Exit(1) } uri := "api/v4/passwords/search/" + args[0] + ".json" resp := getTpm(uri) body, err := ioutil.ReadAll(resp.Body) resp.Body.Close() if err != nil { log.Fatal(err) } var passwords PasswordList err = json.Unmarshal(body, &passwords) if err != nil { log.Fatal(err) } if len(passwords) == 0 { fmt.Println("No passwords found.") } else if len(passwords) == 1 { showCmd.Run(nil, []string{strconv.Itoa(passwords[0].ID)}) } else { if outputFormat == "json" { jsonpass, _ := json.MarshalIndent(&passwords, "", " ") fmt.Printf(string(jsonpass)) } else { yamlpass, _ := yaml.Marshal(&passwords) fmt.Printf(string(yamlpass)) } } }, } func init() { RootCmd.AddCommand(searchCmd) searchCmd.Flags().StringVarP(&outputFormat, "output", "o", "yaml", "Output format: json|yaml") }<|fim▁end|>
// Copyright © 2016 Benjamin Martensson <[email protected]> // // Permission is hereby granted, free of charge, to any person obtaining a copy
<|file_name|>application.rs<|end_file_name|><|fim▁begin|>use crate::{ errors::*, ToParams, }; use std::str::FromStr; #[derive(Debug, Clone, PartialEq)] pub struct AppId(String); #[derive(Debug, Clone, PartialEq)] pub struct AppKey(String); #[derive(Debug, Clone, PartialEq)] pub struct UserKey(String); #[derive(Debug, Clone, PartialEq)] pub struct OAuthToken(String); // These trait impls provide a way to reference our types as &str impl AsRef<str> for AppId { fn as_ref(&self) -> &str { self.0.as_str() } } impl AsRef<str> for AppKey { fn as_ref(&self) -> &str { self.0.as_str() } } impl AsRef<str> for UserKey { fn as_ref(&self) -> &str { self.0.as_str() } } impl AsRef<str> for OAuthToken { fn as_ref(&self) -> &str { self.0.as_str() } } // These trait impls provide a way to &str#parse() our Application type impl FromStr for AppId { type Err = Error; fn from_str(s: &str) -> Result<AppId> { Ok(AppId(s.into())) } } impl FromStr for AppKey { type Err = Error; fn from_str(s: &str) -> Result<AppKey> { Ok(AppKey(s.into())) } } impl FromStr for UserKey { type Err = Error; fn from_str(s: &str) -> Result<UserKey> { Ok(UserKey(s.into())) } } impl FromStr for OAuthToken { type Err = Error; fn from_str(s: &str) -> Result<OAuthToken> { Ok(OAuthToken(s.into())) } } // These trait impls are similar to FromStr (but are infallible) impl<'a> From<&'a str> for AppId where Self: FromStr { fn from(s: &'a str) -> AppId { s.parse().unwrap() } } impl<'a> From<&'a str> for AppKey where Self: FromStr { fn from(s: &'a str) -> AppKey { s.parse().unwrap() } } impl<'a> From<&'a str> for UserKey where Self: FromStr { fn from(s: &'a str) -> UserKey { s.parse().unwrap() } } impl<'a> From<&'a str> for OAuthToken where Self: FromStr { fn from(s: &'a str) -> OAuthToken { s.parse().unwrap() } } // These trait impls take ownership of a given String and also provide Into<AppId> for String impl From<String> for AppId { fn from(s: String) -> AppId { AppId(s) } } impl From<String> for AppKey { fn from(s: String) -> AppKey { AppKey(s) } } impl From<String> for UserKey { fn from(s: String) -> UserKey { UserKey(s) } } impl From<String> for OAuthToken { fn from(s: String) -> OAuthToken { OAuthToken(s) } } #[derive(Debug, Clone, PartialEq)] pub enum Application { AppId(AppId, Option<AppKey>), UserKey(UserKey), OAuthToken(OAuthToken), } // These trait impls build an Application variant out of its required types impl From<AppId> for Application { fn from(a: AppId) -> Self { Application::AppId(a, None) } } impl From<(AppId, AppKey)> for Application { fn from(a: (AppId, AppKey)) -> Self { Application::AppId(a.0, Some(a.1)) } } impl From<UserKey> for Application { fn from(u: UserKey) -> Self { Application::UserKey(u) } } impl From<OAuthToken> for Application { fn from(o: OAuthToken) -> Self { Application::OAuthToken(o) } } impl Application { /// Creates a new `Application` from an `AppId`. /// /// # Examples /// /// ``` /// use threescalers::application::*; /// /// let app = Application::from_app_id("my_app_id"); /// ``` pub fn from_app_id<T: Into<AppId>>(app_id: T) -> Self { Application::AppId(app_id.into(), None) } /// Creates a new `Application` from an `AppId` and an `AppKey`. /// /// # Examples /// /// ``` /// use threescalers::application::*; /// /// let app = Application::from_app_id_and_key("my_app_id", "my_app_key"); /// ``` pub fn from_app_id_and_key<T: Into<AppId>, U: Into<AppKey>>(app_id: T, app_key: U) -> Self { Application::AppId(app_id.into(), Some(app_key.into())) } /// Creates a new `Application` from a `UserKey`. /// /// # Examples /// /// ``` /// use threescalers::application::*; /// /// let app = Application::from_user_key("my_user_key"); /// ``` pub fn from_user_key<T: Into<UserKey>>(user_key: T) -> Self { Application::UserKey(user_key.into()) } /// Creates a new `Application` from an `OAuthToken`. /// /// # Examples /// /// ``` /// use threescalers::application::*; /// /// let app = Application::from_oauth_token("my_token"); /// ``` pub fn from_oauth_token<T: Into<OAuthToken>>(token: T) -> Self { Application::OAuthToken(token.into()) } } use std::borrow::Cow; impl<'k, 'v, 'this, E> ToParams<'k, 'v, 'this, E> for Application where 'this: 'k + 'v, E: Extend<(Cow<'k, str>, &'v str)> { fn to_params_with_mangling<F: FnMut(Cow<'k, str>) -> Cow<'k, str>>(&'this self, extendable: &mut E, key_mangling: &mut F) { use self::Application::*; let params = match self { AppId(app_id, app_key_opt) => [Some(("app_id", app_id.as_ref())),<|fim▁hole|> app_key_opt.as_ref().map(|app_key| ("app_key", app_key.as_ref()))], UserKey(user_key) => [Some(("user_key", user_key.as_ref())), None], OAuthToken(token) => [Some(("access_token", token.as_ref())), None], }; extendable.extend(params.iter() .filter_map(|&param| param.map(|(k, v)| (key_mangling(k.into()), v)))); } } #[cfg(test)] mod tests { use super::*; #[test] fn convert_application_from_app_id() { let app_id = AppId::from("my_app_id"); let app = Application::from(app_id.clone()); assert_eq!(Application::AppId(app_id, None), app); } #[test] fn convert_application_from_app_id_app_key() { let app_id_key = (AppId::from("my_app_id"), AppKey::from("my_app_key")); let app = Application::from(app_id_key.clone()); assert_eq!(Application::AppId(app_id_key.0, Some(app_id_key.1)), app); } #[test] fn convert_application_from_user_key() { let user_key = UserKey::from("my_user_key"); let app = Application::from(user_key.clone()); assert_eq!(Application::UserKey(user_key), app); } #[test] fn convert_application_from_oauth_token() { let token = OAuthToken::from("my_oauth_token"); let app = Application::from(token.clone()); assert_eq!(Application::OAuthToken(token), app); } #[test] fn transforms_app_id_into_params() { let app_id = "my_app_id"; let app = Application::from_app_id(app_id); let mut result = Vec::new(); app.to_params(&mut result); let expected: Vec<(Cow<str>, &str)> = vec![("app_id".into(), app_id)]; assert_eq!(expected, result); } #[test] fn transforms_app_id_and_key_into_params() { let app_id = "my_app_id"; let key = "my_key"; let app = Application::from_app_id_and_key(app_id, key); let mut result = Vec::new(); app.to_params(&mut result); let expected: Vec<(Cow<str>, &str)> = vec![("app_id".into(), app_id), ("app_key".into(), key)]; assert_eq!(expected, result); } #[test] fn transforms_user_key_into_params() { let user_key = "my_user_key"; let app = Application::from_user_key(user_key); let mut result = Vec::new(); app.to_params(&mut result); let expected: Vec<(Cow<str>, &str)> = vec![("user_key".into(), user_key)]; assert_eq!(expected, result); } #[test] fn transforms_oauth_token_into_params() { let oauth_token = "my_token"; let app = Application::from_oauth_token(oauth_token); let mut result = Vec::new(); app.to_params(&mut result); let expected: Vec<(Cow<str>, &str)> = vec![("access_token".into(), oauth_token)]; assert_eq!(expected, result); } }<|fim▁end|>
<|file_name|>OsgWidget.cpp<|end_file_name|><|fim▁begin|>/* * Rvzware based in CAPAWARE 3D * * Rvzware is free software; you can redistribute it and/or modify it under * the terms of the GNU General Public License as published by the Free * Software Foundation; either version 2.1 of the License, or (at your option) * any later version. * * Rvzware is distributed in the hope that it will be useful, but WITHOUT * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS * FOR A PARTICULAR PURPOSE. See the GNU General Public License for more * details. * * You should have received a copy of the GNU General Public License * along with this application; if not, write to the Free Software Foundation, Inc., * 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA * * The Rvzware development team */ #include <sstream> #include <iosg/stdafx.h> #include <iosg/gui/OsgWidget.h> #include <iosg/OsgObjectRegistrySingleton.h> #include <cpw/common/ApplicationLog.h> using namespace cpw::iosg; unsigned int OsgIWidget::id=0; OsgIWidget::OsgIWidget(const std::string &url, const cpw::Point3d<float> &_position, const cpw::Point3d<float> &_size, const cpw::Point3d<float> &_rotation, const TAnchor &_anchor) : object(NULL), visible(true) { SetDefaultPath(url); unsigned int new_id = RequestId(); std::ostringstream temp; temp << new_id; id_string = temp.str(); osg::Matrix m; m.makeIdentity(); mt = new osg::MatrixTransform(); mt->setMatrix(m); anchor.x = _anchor.x; anchor.y = _anchor.y; anchor.w = _anchor.w; anchor.h = _anchor.h; ResizeScreen(20, 20); SetPosition(_position); SetSize(_size); scale.z = scale.y = scale.x = 1.0; SetRotation(_rotation); UpdateTransformationMatrix(); } OsgIWidget::~OsgIWidget(void) { } void OsgIWidget::SetObject(const std::string &filename) { if (object == NULL) { std::vector<osg::MatrixTransform *> mt_vec; // osg::ref_ptr<osg::Node> object; //if (obj_reg == NULL) // object = osgDB::readNodeFile(filename); //else OsgObjectRegistrySingleton *instance = OsgObjectRegistrySingleton::GetInstance(); if (instance) { OsgObjectRegistry *registry = instance->GetObjReg(); if (registry) { osg::Node *node = registry->GetObjectFromFile(filename); if (node) { object = (osg::Node *) node->clone(osg::CopyOp::DEEP_COPY_ALL); } } } if (object == NULL) { //ERROR, hay que controlar esto return; } osg::StateSet* stateset = object->getOrCreateStateSet(); stateset->setMode(GL_LIGHTING,osg::StateAttribute::OFF); object->setStateSet(stateset); OsgVisitorFirstGeode vfg; vfg.apply(*(object.get())); if (vfg.GetFoundGeode() == NULL) { //ERROR, hay que controlar esto return; } osg::Geode *geode = vfg.GetFoundGeode(); //grab the transformation osg::Node *temp_node = geode; while (temp_node->getNumParents() != 0) { temp_node = temp_node->getParent(0); std::string pname = temp_node->className(); if (temp_node->className() == std::string("MatrixTransform")) mt_vec.push_back((osg::MatrixTransform *) temp_node); } osg::Matrix tt_matrix; tt_matrix.makeIdentity(); for (std::vector<osg::MatrixTransform *>::iterator i = mt_vec.begin(); i != mt_vec.end(); i++) { tt_matrix = tt_matrix * (*i)->getMatrix(); } osg::BoundingBox bb = geode->getBoundingBox(); x_max = bb.xMax(); x_min = bb.xMin(); y_max = bb.yMax(); y_min = bb.yMin(); osg::Vec3 min(bb.xMin(), bb.yMin(), bb.zMin()); osg::Vec3 max(bb.xMax(), bb.yMax(), bb.zMax()); min = min * tt_matrix; max = max * tt_matrix; cpw::Point3d<float> new_scale; float xsize = max.x() - min.x(); float ysize = max.y() - min.y(); float zsize = max.z() - min.z(); new_scale.x = GetSize().x / xsize; new_scale.y = GetSize().y / ysize; new_scale.z = GetSize().z / zsize; SetScale(new_scale); sw = new osg::Switch(); sw->setAllChildrenOn(); sw->addChild(object.get()); GetMatrixTransform()->addChild(sw.get()); MarkTree(id_string, GetMatrixTransform()); UpdateTransformationMatrix(); } } void OsgIWidget::Move(const int &x, const int &y, const int &z) { } void OsgIWidget::Rotate(const int &x, const int &y, const int&z) { } void OsgIWidget::Scale(const int &x, const int &y, const int &z) { } void OsgIWidget::Update(osg::Matrix *mp) { //aqui es donde llega con la matriz propagada, no hace nada : UpdateTransformationMatrix(mp); } <|fim▁hole|> osg::Matrix m = mt->getMatrix(); osg::Matrix m_pos, m_scale, m_rotx, m_roty, m_rotz; m_rotx.makeRotate(rot.x, osg::Vec3(1.0, 0.0, 0.0)); m_roty.makeRotate(rot.y, osg::Vec3(0.0, 1.0, 0.0)); m_rotz.makeRotate(rot.z, osg::Vec3(0.0, 0.0, 1.0)); m_scale.makeScale(osg::Vec3(scale.x, scale.y, scale.z)); m_pos.makeTranslate(osg::Vec3(absolute_position.x, absolute_position.y, absolute_position.z)); mt->setMatrix(m_scale * m_rotx * m_roty * m_rotz * m_pos); if (mp != NULL) { //mt->setMatrix(mt->getMatrix() * (*mp)); osg::Matrix final_matrix = m_scale * m_rotx * m_roty * m_rotz * m_pos * (*mp); osg::Vec3 trans = final_matrix.getTrans(); osg::Vec3 scale = final_matrix.getScale(); //osg::Vec3 rotate = final_matrix.getR mt->setMatrix(final_matrix); //mt->setMatrix(*mp); } /* std::ostringstream debug_message; debug_message << "ap " << id_string << ": " << absolute_position.x << ", " << absolute_position.y; //cpw::ApplicationLog::GetInstance()->GetLogger()->NewLogMessage(debug_message.str()); */ } void OsgIWidget::SetPosition(const cpw::Point3d<float> &_position) { position = _position; absolute_position.x = (screen_x_size * anchor.w) + anchor.x + position.x; absolute_position.y = (screen_y_size * anchor.h) + anchor.y + position.y; absolute_position.z = position.z; UpdateTransformationMatrix(); } void OsgIWidget::SetSize(const cpw::Point3d<float> &_size) { cpw::Point3d<float> percent = _size; percent.x /= size.x; percent.y /= size.y; percent.z /= size.z; size = _size; //if (object != NULL) //{ scale.x *= percent.x; scale.y *= percent.y; scale.z *= percent.z; ////scale.x = size.x / (radius*2); ////scale.y = size.y / (radius*2); ////scale.z = size.z / (radius*2); //} UpdateTransformationMatrix(); } void OsgIWidget::SetRotation(const cpw::Point3d<float> &_rot) { rot = _rot; UpdateTransformationMatrix(); } void OsgIWidget::ResizeScreen(const int &x, const int &y) { screen_x_size = x; screen_y_size = y; SetPosition(position); } void OsgIWidget::SetAnchor(const float &w, const float &h, const int &offset_x, const int &offset_y) { anchor.w = w; anchor.h = h; anchor.x = offset_x; anchor.y = offset_y; SetPosition(position); //UpdateTransformationMatrix(); } void OsgIWidget::RotateX(const float &angle) { rot.x += angle; UpdateTransformationMatrix(); } void OsgIWidget::RotateY(const float &angle) { rot.y += angle; UpdateTransformationMatrix(); } void OsgIWidget::RotateZ(const float &angle) { rot.z += angle; UpdateTransformationMatrix(); } void OsgIWidget::MarkTree(const std::string &str, osg::Node *node) { node->setName(str); osg::Group *group = dynamic_cast<osg::Group *>(node); if (group != NULL) { for (unsigned int i=0; i<group->getNumChildren(); i++) MarkTree(str, group->getChild(i)); } else if (node->className() == std::string("Geode")) { osg::Geode *geode = (osg::Geode *) node; unsigned int drawable_count = geode->getNumDrawables(); for (unsigned int i=0; i<drawable_count; i++) { geode->getDrawable(i)->setName(str); } } } void OsgIWidget::GetBoundingBox(float &xmax, float &xmin, float &ymax, float &ymin) { xmax = x_max; xmin = x_min; ymax = y_max; ymin = y_min; } void OsgIWidget::SetVisible(const bool &_visible) { visible = _visible; if (sw != NULL) { if (visible) sw->setAllChildrenOn(); else sw->setAllChildrenOff(); } }<|fim▁end|>
void OsgIWidget::UpdateTransformationMatrix(osg::Matrix *mp) {
<|file_name|>describe-clusters.rs<|end_file_name|><|fim▁begin|>/* * Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved. * SPDX-License-Identifier: Apache-2.0. */ use aws_config::meta::region::RegionProviderChain; use aws_sdk_ecs::{Error, Region, PKG_VERSION}; use structopt::StructOpt; #[derive(Debug, StructOpt)] struct Opt { /// The AWS Region. #[structopt(short, long)] region: Option<String>, /// Whether to display additional information. #[structopt(short, long)] verbose: bool, } // List your clusters. // snippet-start:[ecs.rust.describe-clusters] async fn show_clusters(client: &aws_sdk_ecs::Client) -> Result<(), aws_sdk_ecs::Error> { let resp = client.describe_clusters().send().await?; let clusters = resp.clusters().unwrap_or_default(); println!("Found {} clusters:", clusters.len()); for cluster in clusters { println!(" ARN: {}", cluster.cluster_arn().unwrap()); println!(" Name: {}", cluster.cluster_name().unwrap()); } Ok(()) } // snippet-end:[ecs.rust.describe-clusters] /// Lists your Amazon Elastic Container Service clusters in the Region. /// # Arguments /// /// * `[-r REGION]` - The Region in which the client is created. /// If not supplied, uses the value of the **AWS_REGION** environment variable. /// If the environment variable is not set, defaults to **us-west-2**. /// * `[-v]` - Whether to display additional information. #[tokio::main] async fn main() -> Result<(), Error> { let Opt { region, verbose } = Opt::from_args(); if verbose { tracing_subscriber::fmt::init(); }<|fim▁hole|> let region_provider = RegionProviderChain::first_try(region.map(Region::new)) .or_default_provider() .or_else(Region::new("us-west-2")); if verbose { println!(); println!("ECS client version: {}", PKG_VERSION); println!( "Region: {}", region_provider.region().await.unwrap().as_ref() ); println!(); } let shared_config = aws_config::from_env().region(region_provider).load().await; let client = aws_sdk_ecs::Client::new(&shared_config); show_clusters(&client).await }<|fim▁end|>
<|file_name|>NullAssignmentRule.java<|end_file_name|><|fim▁begin|>/** * BSD-style license; for more info see http://pmd.sourceforge.net/license.html<|fim▁hole|>import net.sourceforge.pmd.ast.ASTAssignmentOperator; import net.sourceforge.pmd.ast.ASTConditionalExpression; import net.sourceforge.pmd.ast.ASTEqualityExpression; import net.sourceforge.pmd.ast.ASTExpression; import net.sourceforge.pmd.ast.ASTName; import net.sourceforge.pmd.ast.ASTNullLiteral; import net.sourceforge.pmd.ast.ASTStatementExpression; import net.sourceforge.pmd.symboltable.VariableNameDeclaration; // TODO - should check that this is not the first assignment. e.g., this is OK: // Object x; // x = null; public class NullAssignmentRule extends AbstractRule { public Object visit(ASTNullLiteral node, Object data) { if (node.getNthParent(5) instanceof ASTStatementExpression) { ASTStatementExpression n = (ASTStatementExpression) node.getNthParent(5); if (isAssignmentToFinalField(n)) { return data; } if (n.jjtGetNumChildren() > 2 && n.jjtGetChild(1) instanceof ASTAssignmentOperator) { addViolation(data, node); } } else if (node.getNthParent(4) instanceof ASTConditionalExpression) { // "false" expression of ternary if (isBadTernary((ASTConditionalExpression)node.getNthParent(4))) { addViolation(data, node); } } else if (node.getNthParent(5) instanceof ASTConditionalExpression && node.getNthParent(4) instanceof ASTExpression) { // "true" expression of ternary if (isBadTernary((ASTConditionalExpression)node.getNthParent(5))) { addViolation(data, node); } } return data; } private boolean isAssignmentToFinalField(ASTStatementExpression n) { ASTName name = n.getFirstChildOfType(ASTName.class); return name != null && name.getNameDeclaration() instanceof VariableNameDeclaration && ((VariableNameDeclaration) name.getNameDeclaration()).getAccessNodeParent().isFinal(); } private boolean isBadTernary(ASTConditionalExpression n) { return n.isTernary() && !(n.jjtGetChild(0) instanceof ASTEqualityExpression); } }<|fim▁end|>
*/ package net.sourceforge.pmd.rules.design; import net.sourceforge.pmd.AbstractRule;
<|file_name|>RolesOperationsV1.js<|end_file_name|><|fim▁begin|>"use strict"; Object.defineProperty(exports, "__esModule", { value: true }); let _ = require('lodash'); let async = require('async'); const pip_services3_commons_node_1 = require("pip-services3-commons-node"); const pip_services3_facade_node_1 = require("pip-services3-facade-node"); class RolesOperationsV1 extends pip_services3_facade_node_1.FacadeOperations { constructor() { super(); this._dependencyResolver.put('roles', new pip_services3_commons_node_1.Descriptor('pip-services-roles', 'client', '*', '*', '1.0')); } setReferences(references) { super.setReferences(references); this._rolesClient = this._dependencyResolver.getOneRequired('roles'); } getUserRolesOperation() { return (req, res) => { this.getUserRoles(req, res); }; } grantUserRolesOperation() { return (req, res) => { this.grantUserRoles(req, res);<|fim▁hole|> revokeUserRolesOperation() { return (req, res) => { this.revokeUserRoles(req, res); }; } getUserRoles(req, res) { let userId = req.route.params.user_id; this._rolesClient.getRolesById(null, userId, this.sendResult(req, res)); } grantUserRoles(req, res) { let userId = req.route.params.user_id; let roles = req.body; this._rolesClient.grantRoles(null, userId, roles, this.sendResult(req, res)); } revokeUserRoles(req, res) { let userId = req.route.params.user_id; let roles = req.body; this._rolesClient.revokeRoles(null, userId, roles, this.sendResult(req, res)); } } exports.RolesOperationsV1 = RolesOperationsV1; //# sourceMappingURL=RolesOperationsV1.js.map<|fim▁end|>
}; }
<|file_name|>core.py<|end_file_name|><|fim▁begin|>"""Core functions used by the Thunder streaming feeder scripts, including asynchronous checking for new files. """ import errno import os import time from thunder_streaming.feeder.utils.filenames import getFilenamePostfix, getFilenamePrefix from thunder_streaming.feeder.utils.logger import global_logger from thunder_streaming.feeder.utils.regex import RegexMatchToQueueName, RegexMatchToTimepointString from thunder_streaming.feeder.utils.updating_walk import updating_walk as uw def file_check_generator(source_dir, mod_buffer_time, max_files=-1, filename_predicate=None): """Generator function that polls the passed directory tree for new files, using the updating_walk.py logic. This generator will restart the underlying updating_walk at the last seen file if the updating walk runs out of available files. """ next_batch_file, walker_restart_file = None, None walker = uw(source_dir, filefilterfunc=filename_predicate) while True: filebatch = [] files_left = max_files try: if not next_batch_file: next_batch_file = next(walker) walker_restart_file = next_batch_file delta = time.time() - os.stat(next_batch_file).st_mtime while delta > mod_buffer_time and files_left: filebatch.append(next_batch_file) files_left -= 1 next_batch_file = None # reset in case of exception on next line next_batch_file = next(walker) delta = time.time() - os.stat(next_batch_file).st_mtime walker_restart_file = next_batch_file except StopIteration: # no files left, restart after polling interval if not filebatch: global_logger.get().info("Out of files, waiting...") walker = uw(source_dir, walker_restart_file, filefilterfunc=filename_predicate) yield filebatch <|fim▁hole|> if isinstance(source_dir_or_dirs, basestring): source_dirs = [source_dir_or_dirs] else: source_dirs = source_dir_or_dirs file_checkers = [file_check_generator(source_dir, mod_buffer_time, max_files=max_files, filename_predicate=filename_predicate) for source_dir in source_dirs] return file_checkers def runloop(file_checkers, feeder, poll_time): """ Main program loop. This will check for new files in the passed input directories using file_check_generator, push any new files found into the passed Feeder subclass via its feed() method, wait for poll_time, and repeat forever. """ last_time = time.time() while True: for file_checker in file_checkers: # this should never throw StopIteration, will just yield an empty list if nothing is avail: filebatch = feeder.feed(next(file_checker)) if filebatch: global_logger.get().info("Pushed %d files, last: %s", len(filebatch), os.path.basename(filebatch[-1])) removedfiles = feeder.clean() if removedfiles: global_logger.get().info("Removed %d temp files, last: %s", len(removedfiles), os.path.basename(removedfiles[-1])) next_time = last_time + poll_time try: time.sleep(next_time - time.time()) except IOError, e: if e.errno == errno.EINVAL: # passed a negative number, which is fine, just don't sleep pass else: raise e last_time = next_time def get_parsing_functions(opts): if opts.prefix_regex_file: fname_to_qname_fcn = RegexMatchToQueueName.fromFile(opts.prefix_regex_file).queueName else: fname_to_qname_fcn = getFilenamePrefix if opts.timepoint_regex_file: fname_to_timepoint_fcn = RegexMatchToTimepointString.fromFile(opts.timepoint_regex_file).timepoint else: fname_to_timepoint_fcn = getFilenamePostfix return fname_to_qname_fcn, fname_to_timepoint_fcn<|fim▁end|>
def build_filecheck_generators(source_dir_or_dirs, mod_buffer_time, max_files=-1, filename_predicate=None):
<|file_name|>signverifymessagedialog.cpp<|end_file_name|><|fim▁begin|>// Copyright (c) 2011-2013 The Bitcoin developers // Distributed under the MIT/X11 software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #include "signverifymessagedialog.h" #include "ui_signverifymessagedialog.h" #include "addressbookpage.h" #include "base58.h" #include "guiutil.h" #include "init.h" #include "main.h" #include "optionsmodel.h" #include "walletmodel.h" #include "wallet.h" #include <QClipboard> #include <string> #include <vector> SignVerifyMessageDialog::SignVerifyMessageDialog(QWidget *parent) : QDialog(parent), ui(new Ui::SignVerifyMessageDialog), model(0) { ui->setupUi(this); #if (QT_VERSION >= 0x040700) /* Do not move this to the XML file, Qt before 4.7 will choke on it */ ui->addressIn_SM->setPlaceholderText(tr("Enter a Amerios address (e.g. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)")); ui->signatureOut_SM->setPlaceholderText(tr("Click \"Sign Message\" to generate signature")); ui->addressIn_VM->setPlaceholderText(tr("Enter a Amerios address (e.g. Ler4HNAEfwYhBmGXcFP2Po1NpRUEiK8km2)")); ui->signatureIn_VM->setPlaceholderText(tr("Enter Amerios signature")); #endif GUIUtil::setupAddressWidget(ui->addressIn_SM, this); GUIUtil::setupAddressWidget(ui->addressIn_VM, this); ui->addressIn_SM->installEventFilter(this); ui->messageIn_SM->installEventFilter(this); ui->signatureOut_SM->installEventFilter(this); ui->addressIn_VM->installEventFilter(this); ui->messageIn_VM->installEventFilter(this); ui->signatureIn_VM->installEventFilter(this); ui->signatureOut_SM->setFont(GUIUtil::bitcoinAddressFont()); ui->signatureIn_VM->setFont(GUIUtil::bitcoinAddressFont()); } SignVerifyMessageDialog::~SignVerifyMessageDialog() { delete ui; } void SignVerifyMessageDialog::setModel(WalletModel *model) { this->model = model; } void SignVerifyMessageDialog::setAddress_SM(const QString &address) { ui->addressIn_SM->setText(address); ui->messageIn_SM->setFocus(); } void SignVerifyMessageDialog::setAddress_VM(const QString &address) { ui->addressIn_VM->setText(address); ui->messageIn_VM->setFocus(); } void SignVerifyMessageDialog::showTab_SM(bool fShow) { ui->tabWidget->setCurrentIndex(0); if (fShow) this->show(); } void SignVerifyMessageDialog::showTab_VM(bool fShow) { ui->tabWidget->setCurrentIndex(1); if (fShow) this->show(); } void SignVerifyMessageDialog::on_addressBookButton_SM_clicked() { if (model && model->getAddressTableModel()) { AddressBookPage dlg(AddressBookPage::ForSending, AddressBookPage::ReceivingTab, this); dlg.setModel(model->getAddressTableModel()); if (dlg.exec()) { setAddress_SM(dlg.getReturnValue()); } } } void SignVerifyMessageDialog::on_pasteButton_SM_clicked() { setAddress_SM(QApplication::clipboard()->text()); } void SignVerifyMessageDialog::on_signMessageButton_SM_clicked() { /* Clear old signature to ensure users don't get confused on error with an old signature displayed */ ui->signatureOut_SM->clear(); CBitcoinAddress addr(ui->addressIn_SM->text().toStdString()); if (!addr.IsValid()) { ui->addressIn_SM->setValid(false); ui->statusLabel_SM->setStyleSheet("QLabel { color: red; }"); ui->statusLabel_SM->setText(tr("The entered address is invalid.") + QString(" ") + tr("Please check the address and try again.")); return; } CKeyID keyID; if (!addr.GetKeyID(keyID)) { ui->addressIn_SM->setValid(false); ui->statusLabel_SM->setStyleSheet("QLabel { color: red; }"); ui->statusLabel_SM->setText(tr("The entered address does not refer to a key.") + QString(" ") + tr("Please check the address and try again.")); return; } WalletModel::UnlockContext ctx(model->requestUnlock()); if (!ctx.isValid()) { ui->statusLabel_SM->setStyleSheet("QLabel { color: red; }"); ui->statusLabel_SM->setText(tr("Wallet unlock was cancelled.")); return; } CKey key; if (!pwalletMain->GetKey(keyID, key)) { ui->statusLabel_SM->setStyleSheet("QLabel { color: red; }"); ui->statusLabel_SM->setText(tr("Private key for the entered address is not available.")); return; } CDataStream ss(SER_GETHASH, 0); ss << strMessageMagic; ss << ui->messageIn_SM->document()->toPlainText().toStdString(); std::vector<unsigned char> vchSig; if (!key.SignCompact(Hash(ss.begin(), ss.end()), vchSig)) { ui->statusLabel_SM->setStyleSheet("QLabel { color: red; }"); ui->statusLabel_SM->setText(QString("<nobr>") + tr("Message signing failed.") + QString("</nobr>")); return; } ui->statusLabel_SM->setStyleSheet("QLabel { color: green; }"); ui->statusLabel_SM->setText(QString("<nobr>") + tr("Message signed.") + QString("</nobr>")); ui->signatureOut_SM->setText(QString::fromStdString(EncodeBase64(&vchSig[0], vchSig.size()))); } void SignVerifyMessageDialog::on_copySignatureButton_SM_clicked() { QApplication::clipboard()->setText(ui->signatureOut_SM->text()); } void SignVerifyMessageDialog::on_clearButton_SM_clicked() { ui->addressIn_SM->clear(); ui->messageIn_SM->clear(); ui->signatureOut_SM->clear(); ui->statusLabel_SM->clear(); ui->addressIn_SM->setFocus(); } void SignVerifyMessageDialog::on_addressBookButton_VM_clicked() { if (model && model->getAddressTableModel()) { AddressBookPage dlg(AddressBookPage::ForSending, AddressBookPage::SendingTab, this); dlg.setModel(model->getAddressTableModel()); if (dlg.exec()) { setAddress_VM(dlg.getReturnValue()); } } } void SignVerifyMessageDialog::on_verifyMessageButton_VM_clicked() { CBitcoinAddress addr(ui->addressIn_VM->text().toStdString()); if (!addr.IsValid()) { ui->addressIn_VM->setValid(false); ui->statusLabel_VM->setStyleSheet("QLabel { color: red; }"); ui->statusLabel_VM->setText(tr("The entered address is invalid.") + QString(" ") + tr("Please check the address and try again.")); return; } CKeyID keyID; if (!addr.GetKeyID(keyID)) { ui->addressIn_VM->setValid(false); ui->statusLabel_VM->setStyleSheet("QLabel { color: red; }"); ui->statusLabel_VM->setText(tr("The entered address does not refer to a key.") + QString(" ") + tr("Please check the address and try again.")); return; } bool fInvalid = false; std::vector<unsigned char> vchSig = DecodeBase64(ui->signatureIn_VM->text().toStdString().c_str(), &fInvalid); if (fInvalid) { ui->signatureIn_VM->setValid(false); ui->statusLabel_VM->setStyleSheet("QLabel { color: red; }"); ui->statusLabel_VM->setText(tr("The signature could not be decoded.") + QString(" ") + tr("Please check the signature and try again.")); return; } <|fim▁hole|> ss << ui->messageIn_VM->document()->toPlainText().toStdString(); CPubKey pubkey; if (!pubkey.RecoverCompact(Hash(ss.begin(), ss.end()), vchSig)) { ui->signatureIn_VM->setValid(false); ui->statusLabel_VM->setStyleSheet("QLabel { color: red; }"); ui->statusLabel_VM->setText(tr("The signature did not match the message digest.") + QString(" ") + tr("Please check the signature and try again.")); return; } if (!(CBitcoinAddress(pubkey.GetID()) == addr)) { ui->statusLabel_VM->setStyleSheet("QLabel { color: red; }"); ui->statusLabel_VM->setText(QString("<nobr>") + tr("Message verification failed.") + QString("</nobr>")); return; } ui->statusLabel_VM->setStyleSheet("QLabel { color: green; }"); ui->statusLabel_VM->setText(QString("<nobr>") + tr("Message verified.") + QString("</nobr>")); } void SignVerifyMessageDialog::on_clearButton_VM_clicked() { ui->addressIn_VM->clear(); ui->signatureIn_VM->clear(); ui->messageIn_VM->clear(); ui->statusLabel_VM->clear(); ui->addressIn_VM->setFocus(); } bool SignVerifyMessageDialog::eventFilter(QObject *object, QEvent *event) { if (event->type() == QEvent::MouseButtonPress || event->type() == QEvent::FocusIn) { if (ui->tabWidget->currentIndex() == 0) { /* Clear status message on focus change */ ui->statusLabel_SM->clear(); /* Select generated signature */ if (object == ui->signatureOut_SM) { ui->signatureOut_SM->selectAll(); return true; } } else if (ui->tabWidget->currentIndex() == 1) { /* Clear status message on focus change */ ui->statusLabel_VM->clear(); } } return QDialog::eventFilter(object, event); }<|fim▁end|>
CDataStream ss(SER_GETHASH, 0); ss << strMessageMagic;
<|file_name|>pycolbert.py<|end_file_name|><|fim▁begin|>import os import sys import subprocess testP = { "2005": [ { "date": "2005-10-17", "videos": [ "http://thecolbertreport.cc.com/videos/61f6xj/intro---10-17-05", "http://thecolbertreport.cc.com/videos/w9dr6d/first-show", "http://thecolbertreport.cc.com/videos/63ite2/the-word---truthiness", "http://thecolbertreport.cc.com/videos/2hvbwp/threatdown---bird-flu", "http://thecolbertreport.cc.com/videos/ydz3a0/stone-phillips", "http://thecolbertreport.cc.com/videos/4ewylv/gravitas-off-with-stone-phillips", "http://thecolbertreport.cc.com/videos/e3mrnm/sign-off---commemorating-chewbacca-s-american-citizenship" ], "guest": "Stone Phillips" }, { "date": "2005-10-18", "videos": [ "http://thecolbertreport.cc.com/videos/u39l6v/intro---10-18-05", "http://thecolbertreport.cc.com/videos/kzin67/the-word---bacchanalia", "http://thecolbertreport.cc.com/videos/5icgst/all-you-need-to-know---illegal-immigration", "http://thecolbertreport.cc.com/videos/fydq17/lesley-stahl", "http://thecolbertreport.cc.com/videos/235ftw/better-know-a-district---georgia-s-1st---jack-kingston", "http://thecolbertreport.cc.com/videos/joj31r/sign-off---a-fax-from-james-brady" ], "guest": "Lesley Stahl" }, { "date": "2005-10-19", "videos": [ "http://thecolbertreport.cc.com/videos/vmoc19/intro---10-19-05", "http://thecolbertreport.cc.com/videos/gpmykq/the-word---disappointed", "http://thecolbertreport.cc.com/videos/95k30i/stephen-settles-the-debate---whales-and-cod-vs--polar-bears-and-seal-hunters", "http://thecolbertreport.cc.com/videos/p42ju6/on-notice---bobby-s-candy-apples", "http://thecolbertreport.cc.com/videos/malmcz/tip-wag---teen-pregnancy---katie-s-no-lady", "http://thecolbertreport.cc.com/videos/db0w9q/fareed-zakaria", "http://thecolbertreport.cc.com/videos/8kkcau/sign-off---the-in-box---you-re-great" ], "guest": "Fareed Zakaria" }, { "date": "2005-10-20", "videos": [ "http://thecolbertreport.cc.com/videos/rwhdnt/intro---10-20-05", "http://thecolbertreport.cc.com/videos/p1n8k4/avian-flu", "http://thecolbertreport.cc.com/videos/mk7yrx/russ-lieber---candy-and-air", "http://thecolbertreport.cc.com/videos/cz3euw/un-american-news---the-foreign-press", "http://thecolbertreport.cc.com/videos/j1b7vj/jim-cramer", "http://thecolbertreport.cc.com/videos/rohluc/sign-off---credit-cards", "http://thecolbertreport.cc.com/videos/24lb41/the-word---love-handles" ], "guest": "Jim Cramer" }, { "date": "2005-10-24", "videos": [ "http://thecolbertreport.cc.com/videos/67cs19/intro---10-24-05", "http://thecolbertreport.cc.com/videos/gv2cjs/the-word---pussy", "http://thecolbertreport.cc.com/videos/i491tt/lou-dobbs", "http://thecolbertreport.cc.com/videos/dd1sbx/fract---the-wright-brothers", "http://thecolbertreport.cc.com/videos/wtqx4r/bring--em-back-or-leave--em-dead---inquisition", "http://thecolbertreport.cc.com/videos/qgvny1/mug-shot", "http://thecolbertreport.cc.com/videos/vuftif/against-the-pundocracy" ], "guest": "Lou Dobbs" }, { "date": "2005-10-25", "videos": [ "http://thecolbertreport.cc.com/videos/lldiq0/intro---10-25-05", "http://thecolbertreport.cc.com/videos/whvmzj/benjamin-shalom-bernanke", "http://thecolbertreport.cc.com/videos/iqvyat/the-word---overrated", "http://thecolbertreport.cc.com/videos/qwe0c7/threatdown---anti-bacterial-soap", "http://thecolbertreport.cc.com/videos/7ioxmq/greg-behrendt", "http://thecolbertreport.cc.com/videos/nwkm8y/greg-behrendt-fields-calls", "http://thecolbertreport.cc.com/videos/vzk1ho/yet-another-day---soup-and-pets" ], "guest": "Greg Behrendt" }, { "date": "2005-10-26", "videos": [ "http://thecolbertreport.cc.com/videos/nxsljd/intro---10-26-05", "http://thecolbertreport.cc.com/videos/39lnsj/outsourcing", "http://thecolbertreport.cc.com/videos/7o86ff/the-word---perspective", "http://thecolbertreport.cc.com/videos/yuq4bm/neil-degrasse-tyson", "http://thecolbertreport.cc.com/videos/5fyjl2/tip-wag---public-nudity-advice", "http://thecolbertreport.cc.com/videos/wsfpru/the-pulse" ], "guest": "Neil deGrasse Tyson" }, { "date": "2005-10-27", "videos": [ "http://thecolbertreport.cc.com/videos/ap807f/intro---10-27-05", "http://thecolbertreport.cc.com/videos/nb6dxf/lieber---white-pumpkins", "http://thecolbertreport.cc.com/videos/llj5fu/the-word---quitter", "http://thecolbertreport.cc.com/videos/1vbs16/bookshelf-of-broken-dreams", "http://thecolbertreport.cc.com/videos/ynldrg/fract---the-states", "http://thecolbertreport.cc.com/videos/zyop79/better-know-a-district---massachusetts--4th---barney-frank", "http://thecolbertreport.cc.com/videos/h9zw2j/jeff-daniels", "http://thecolbertreport.cc.com/videos/3eb29d/yet-another-day---checking-in-with-christina-and-ernesto" ], "guest": "Jeff Daniels" }, { "date": "2005-10-31", "videos": [ "http://thecolbertreport.cc.com/videos/11fva6/intro---10-31-05", "http://thecolbertreport.cc.com/videos/mqoacz/criminal-intent", "http://thecolbertreport.cc.com/videos/p3782h/patrick-fitzgerald-s-press-conference", "http://thecolbertreport.cc.com/videos/ey4w8s/the-word---alito", "http://thecolbertreport.cc.com/videos/jfbl04/monica-crowley", "http://thecolbertreport.cc.com/videos/sxj08u/fract---greatest-lakes", "http://thecolbertreport.cc.com/videos/5d63df/stephen-settles-the-debate---ramadan-or-halloween-", "http://thecolbertreport.cc.com/videos/qc29ld/rocktober" ], "guest": "Monica Crowley" }, { "date": "2005-11-01", "videos": [ "http://thecolbertreport.cc.com/videos/1zu9d3/intro---11-1-05", "http://thecolbertreport.cc.com/videos/r7fmyb/the-word---camilla-mania", "http://thecolbertreport.cc.com/videos/ufgobt/emergency-evacuation-plan", "http://thecolbertreport.cc.com/videos/b7u1wy/ken-burns", "http://thecolbertreport.cc.com/videos/kpjrtm/formidable-opponent---charity" ], "guest": "Ken Burns" }, { "date": "2005-11-02", "videos": [ "http://thecolbertreport.cc.com/videos/1kskdq/intro---11-2-05", "http://thecolbertreport.cc.com/videos/xp1gbs/fatwa", "http://thecolbertreport.cc.com/videos/8e6qo8/c-span-coverage", "http://thecolbertreport.cc.com/videos/ayw8g9/the-word---cat", "http://thecolbertreport.cc.com/videos/ey3oos/fract---civil-war", "http://thecolbertreport.cc.com/videos/9438aw/the-war-on-wal-mart", "http://thecolbertreport.cc.com/videos/nvopei/bruce-feiler", "http://thecolbertreport.cc.com/videos/6v0azb/lieber---one-testicle" ], "guest": "Bruce Feiler" }, { "date": "2005-11-03", "videos": [ "http://thecolbertreport.cc.com/videos/4g6fdp/intro---11-3-05", "http://thecolbertreport.cc.com/videos/9lmjfq/the-word---shhhh----", "http://thecolbertreport.cc.com/videos/tq3k8n/bradley-whitford", "http://thecolbertreport.cc.com/videos/wwof8g/fract---karl-marx", "http://thecolbertreport.cc.com/videos/cxtvxm/better-know-a-district---ohio-s-11th---stephanie-tubbs-jones", "http://thecolbertreport.cc.com/videos/86juj9/judge-tubbs", "http://thecolbertreport.cc.com/videos/mkig56/the-in-box---kicking-ass" ], "guest": "Bradley Whitford" }, { "date": "2005-11-07", "videos": [ "http://thecolbertreport.cc.com/videos/lbtbtl/intro---11-7-05", "http://thecolbertreport.cc.com/videos/s0yn8n/rioting-do-s-and-don-ts", "http://thecolbertreport.cc.com/videos/2iezg1/the-word---hoser", "http://thecolbertreport.cc.com/videos/dzis1b/fract---frnap--the-freedom-snap", "http://thecolbertreport.cc.com/videos/1xhewi/threatdown---pirates", "http://thecolbertreport.cc.com/videos/fjfr4z/eliot-spitzer", "http://thecolbertreport.cc.com/videos/ufqqpc/rock--em-sock--em-robots" ], "guest": "Eliot Spitzer" }, { "date": "2005-11-08", "videos": [ "http://thecolbertreport.cc.com/videos/2lgs12/intro---11-8-05", "http://thecolbertreport.cc.com/videos/5lxdom/america-doesn-t-torture", "http://thecolbertreport.cc.com/videos/xul3qa/intercepted-satellite-feed", "http://thecolbertreport.cc.com/videos/huzs1z/the-word---t-o-", "http://thecolbertreport.cc.com/videos/7nl1pw/fract---franagram--american-patriot", "http://thecolbertreport.cc.com/videos/wgvsjo/tip-wag---convicted-murderers", "http://thecolbertreport.cc.com/videos/0l19is/catherine-crier", "http://thecolbertreport.cc.com/videos/6zdr9d/wilford-brimley-calls---cocoon", "http://thecolbertreport.cc.com/videos/ykxirt/yet-another-day---flesh-eating-virus" ], "guest": "Catherine Crier" }, { "date": "2005-11-09", "videos": [ "http://thecolbertreport.cc.com/videos/s6miz8/intro---11-9-05", "http://thecolbertreport.cc.com/videos/5fvmyv/next-question", "http://thecolbertreport.cc.com/videos/bcmkct/the-word---willy-loman", "http://thecolbertreport.cc.com/videos/43es16/all-you-need-to-know---kansas-education", "http://thecolbertreport.cc.com/videos/nzfogn/mary-roach", "http://thecolbertreport.cc.com/videos/gqeqrk/better-know-a-district---florida-s-7th---john-mica" ], "guest": "Mary Roach" }, { "date": "2005-11-10", "videos": [ "http://thecolbertreport.cc.com/videos/jqfk3o/intro---11-10-05", "http://thecolbertreport.cc.com/videos/8c7dra/swear-to-god", "http://thecolbertreport.cc.com/videos/9kcrqk/the-word---armistice", "http://thecolbertreport.cc.com/videos/o63fqi/cokie-roberts", "http://thecolbertreport.cc.com/videos/bd1uuq/the-in-box---asian-stereotypes", "http://thecolbertreport.cc.com/videos/c0bksd/the-dacolbert-code---samuel-alito" ], "guest": "Cokie Roberts" }, { "date": "2005-11-14", "videos": [ "http://thecolbertreport.cc.com/videos/e5zymg/intro---11-14-05", "http://thecolbertreport.cc.com/videos/gfzikt/cma-buzz", "http://thecolbertreport.cc.com/videos/jaukv1/the-word---testosterone", "http://thecolbertreport.cc.com/videos/oel1ef/bob-kerrey", "http://thecolbertreport.cc.com/videos/2lpp85/tip-line---flag-sticker", "http://thecolbertreport.cc.com/videos/1wb4cs/un-american-news---shame-cotton", "http://thecolbertreport.cc.com/videos/kuqe6u/internets-anniversary" ], "guest": "Sen. Bob Kerrey" }, { "date": "2005-11-15", "videos": [ "http://thecolbertreport.cc.com/videos/c8h749/intro---11-15-05", "http://thecolbertreport.cc.com/videos/9jy462/sayako-s-wedding", "http://thecolbertreport.cc.com/videos/yctr24/the-word---the-orient", "http://thecolbertreport.cc.com/videos/4z4p4o/bring--em-back-or-leave--em-dead---asian-history", "http://thecolbertreport.cc.com/videos/94g5r1/al-sharpton", "http://thecolbertreport.cc.com/videos/9disf3/fract---mt--rushmore", "http://thecolbertreport.cc.com/videos/w11pi7/formidable-opponent---torture" ], "guest": "Rev. Al Sharpton" }, { "date": "2005-11-16", "videos": [ "http://thecolbertreport.cc.com/videos/nl3o0c/intro---11-16-05", "http://thecolbertreport.cc.com/videos/ebxyv5/the-word---information", "http://thecolbertreport.cc.com/videos/eh69qj/on-notice-dead-to-me---juan-gabriel", "http://thecolbertreport.cc.com/videos/h1e498/better-know-a-district---colorado-s-2nd---mark-udall", "http://thecolbertreport.cc.com/videos/ddef4x/matt-taibbi", "http://thecolbertreport.cc.com/videos/4kvhir/america--sleep-safe" ], "guest": "Matt Taibbi" }, { "date": "2005-11-17", "videos": [ "http://thecolbertreport.cc.com/videos/zl8rtq/intro---11-17-05", "http://thecolbertreport.cc.com/videos/f8fusi/no-good-deed", "http://thecolbertreport.cc.com/videos/pxeto4/the-word---mcconaughey-", "http://thecolbertreport.cc.com/videos/bypiaq/threatdown---children", "http://thecolbertreport.cc.com/videos/smm3x9/tim-robbins", "http://thecolbertreport.cc.com/videos/wk6dps/here-today--more-tomorrow", "http://thecolbertreport.cc.com/videos/8sxlv8/thanksgiving-vacation" ], "guest": "Tim Robbins" }, { "date": "2005-11-28", "videos": [ "http://thecolbertreport.cc.com/videos/sf87bf/intro---11-28-05", "http://thecolbertreport.cc.com/videos/nrf3km/cyber-monday", "http://thecolbertreport.cc.com/videos/sqsdz6/the-word---never", "http://thecolbertreport.cc.com/videos/r6xqra/viewer-phone-calls", "http://thecolbertreport.cc.com/videos/vdncvg/stephen-settles-the-debate---science-vs--faith", "http://thecolbertreport.cc.com/videos/507rw4/brian-greene", "http://thecolbertreport.cc.com/videos/ngo5nh/sign-off---check-your-local-listings" ], "guest": "Brian Greene" }, { "date": "2005-11-29", "videos": [ "http://thecolbertreport.cc.com/videos/4yku0o/intro---11-29-05", "http://thecolbertreport.cc.com/videos/zaot6p/better-know-a-district---california-s-50th---randy--duke--cunningham", "http://thecolbertreport.cc.com/videos/o2kdz0/the-word---confidence", "http://thecolbertreport.cc.com/videos/6f1i25/was-it-really-that-bad----black-death", "http://thecolbertreport.cc.com/videos/75dr62/the--duke-s--things", "http://thecolbertreport.cc.com/videos/rtbpes/richard-preston" ], "guest": "Richard Preston" }, { "date": "2005-11-30", "videos": [ "http://thecolbertreport.cc.com/videos/951mir/intro---11-30-05", "http://thecolbertreport.cc.com/videos/jsl09o/the-word---gay-gay-gay-gay-gay", "http://thecolbertreport.cc.com/videos/h7okp1/fract---nobody-messes-with-house", "http://thecolbertreport.cc.com/videos/ut6y25/katrina-vanden-heuvel", "http://thecolbertreport.cc.com/videos/0frx2n/around-the-world-in-11-6-seconds---media" ], "guest": "Katrina Vanden Heuvel" }, { "date": "2005-12-01", "videos": [ "http://thecolbertreport.cc.com/videos/j4tan3/intro---12-1-05", "http://thecolbertreport.cc.com/videos/bocj8y/giant-gold-washer", "http://thecolbertreport.cc.com/videos/w4dblj/the-word---spectacle", "http://thecolbertreport.cc.com/videos/3yvygm/tip-wag---seattle", "http://thecolbertreport.cc.com/videos/idpn3b/richard-clarke", "http://thecolbertreport.cc.com/videos/9icneu/face-transplant" ], "guest": "Richard Clarke" }, { "date": "2005-12-05", "videos": [ "http://thecolbertreport.cc.com/videos/0yxnmj/intro---12-5-05", "http://thecolbertreport.cc.com/videos/utqsnp/kennedy-center-honors", "http://thecolbertreport.cc.com/videos/278dqm/the-word---xmas", "http://thecolbertreport.cc.com/videos/6ulwwh/apology", "http://thecolbertreport.cc.com/videos/sg4wi3/this-week-in-history---december-4th-10th", "http://thecolbertreport.cc.com/videos/p01a0h/colbert-nation-citizen-award", "http://thecolbertreport.cc.com/videos/djl273/maureen-dowd" ], "guest": "Maureen Dowd" }, { "date": "2005-12-06", "videos": [ "http://thecolbertreport.cc.com/videos/ad0e3u/intro---12-6-05", "http://thecolbertreport.cc.com/videos/l23e5t/the-word---backsies", "http://thecolbertreport.cc.com/videos/c6b939/better-know-a-district---virginia-s-8th---jim-moran", "http://thecolbertreport.cc.com/videos/bgq83k/fract---the-star-spangled-banner", "http://thecolbertreport.cc.com/videos/mjqiqk/anderson-cooper", "http://thecolbertreport.cc.com/videos/jo01oi/season-of-giving" ], "guest": "Anderson Cooper" }, { "date": "2005-12-07", "videos": [ "http://thecolbertreport.cc.com/videos/uvfu4h/intro---12-7-05", "http://thecolbertreport.cc.com/videos/k5nni4/burritos-happy-holidays", "http://thecolbertreport.cc.com/videos/rmm1zo/the-word---hell--no-", "http://thecolbertreport.cc.com/videos/5ti5hp/threatdown---threats", "http://thecolbertreport.cc.com/videos/1buius/craig-crawford" ], "guest": "Craig Crawford" }, { "date": "2005-12-08", "videos": [ "http://thecolbertreport.cc.com/videos/muvtpz/intro---12-8-07", "http://thecolbertreport.cc.com/videos/zo8qem/the-mallomar", "http://thecolbertreport.cc.com/videos/9zltfz/the-word---satisfied-", "http://thecolbertreport.cc.com/videos/zc6wzp/papa-bear-nailed-him", "http://thecolbertreport.cc.com/videos/0k58ru/movies-that-are-destroying-america---christmas", "http://thecolbertreport.cc.com/videos/f63xob/peggy-noonan", "http://thecolbertreport.cc.com/videos/huxiwh/nationwide-secret-santa" ], "guest": "Peggy Noonan" }, { "date": "2005-12-12", "videos": [ "http://thecolbertreport.cc.com/videos/26ln5h/intro---12-12-05", "http://thecolbertreport.cc.com/videos/th38l3/the-real-christmas", "http://thecolbertreport.cc.com/videos/xld8bn/the-word---belly-achin-", "http://thecolbertreport.cc.com/videos/4qrc6w/un-american-news---tootsie", "http://thecolbertreport.cc.com/videos/gljaa1/fract---war", "http://thecolbertreport.cc.com/videos/tos96b/harry-smith", "http://thecolbertreport.cc.com/videos/onf96q/the-in-box---custom-stamps" ], "guest": "Harry Smith" }, { "date": "2005-12-13", "videos": [ "http://thecolbertreport.cc.com/videos/hh6w14/intro---12-13-05", "http://thecolbertreport.cc.com/videos/f3vpvn/the-de-ballification-of-the-american-sportscape", "http://thecolbertreport.cc.com/videos/omscph/the-word---lombardi", "http://thecolbertreport.cc.com/videos/53a836/sports-update", "http://thecolbertreport.cc.com/videos/reee2h/formidable-opponent---steroids", "http://thecolbertreport.cc.com/videos/raw18i/fract---nba", "http://thecolbertreport.cc.com/videos/mopfat/bob-costas", "http://thecolbertreport.cc.com/videos/97uhmb/sign-off---excellence-in-everything" ], "guest": "Bob Costas" }, { "date": "2005-12-14", "videos": [ "http://thecolbertreport.cc.com/videos/irtzij/intro---12-14-05", "http://thecolbertreport.cc.com/videos/rxzsfq/king-kong", "http://thecolbertreport.cc.com/videos/g7vs24/the-word---travolta", "http://thecolbertreport.cc.com/videos/j8pyop/tip-wag---redefining-cruel-and-unusual", "http://thecolbertreport.cc.com/videos/po8ta2/dermot-mulroney", "http://thecolbertreport.cc.com/videos/nf6l8d/sign-off---three-stockings" ], "guest": "Dermot Mulroney" }, { "date": "2005-12-15", "videos": [ "http://thecolbertreport.cc.com/videos/12ie90/intro---12-15-05", "http://thecolbertreport.cc.com/videos/7x2gjd/war-on-holiday", "http://thecolbertreport.cc.com/videos/1286w8/the-word---jetpack", "http://thecolbertreport.cc.com/videos/4epy8c/better-know-a-district---new-york-s-11th---major-owens", "http://thecolbertreport.cc.com/videos/gn64jt/mark-cuban", "http://thecolbertreport.cc.com/videos/9d08kf/tax-deductions" ], "guest": "Mark Cuban" } ], "2006": [ { "date": "2006-01-09", "videos": [ "http://thecolbertreport.cc.com/videos/ccm8j9/intro---1-9-2006", "http://thecolbertreport.cc.com/videos/gfhklq/merry-christmas", "http://thecolbertreport.cc.com/videos/k2b0t4/going-at-it", "http://thecolbertreport.cc.com/videos/tfsnjk/the-lusk-alito-connection", "http://thecolbertreport.cc.com/videos/zvszwh/the-word---there-is-no-word", "http://thecolbertreport.cc.com/videos/wm808s/tip-wag---addicted-to-cute", "http://thecolbertreport.cc.com/videos/fx17nm/fract---columbus", "http://thecolbertreport.cc.com/videos/nctzb0/nancy-grace", "http://thecolbertreport.cc.com/videos/vt9veh/on-notice-dead-to-me---word-of-the-year" ], "guest": "Nancy Grace" }, { "date": "2006-01-10", "videos": [ "http://thecolbertreport.cc.com/videos/zffhux/intro---1-10-02", "http://thecolbertreport.cc.com/videos/znlsxv/off-notice---the-e-street-band", "http://thecolbertreport.cc.com/videos/jz3vjq/the-word---sleeper-cell", "http://thecolbertreport.cc.com/videos/fzr3d5/balls-for-kidz---bear-hunting", "http://thecolbertreport.cc.com/videos/uk2dty/carl-bernstein", "http://thecolbertreport.cc.com/videos/lppcfe/the-in-box---taking-a-bullet" ], "guest": "Carl Bernstein" }, { "date": "2006-01-11", "videos": [ "http://thecolbertreport.cc.com/videos/yq13d1/intro---1-11-06", "http://thecolbertreport.cc.com/videos/kci614/colbert-report-consumer-alert", "http://thecolbertreport.cc.com/videos/ho8xgd/alito-haters", "http://thecolbertreport.cc.com/videos/vko8sm/the-word---whatever", "http://thecolbertreport.cc.com/videos/bbh162/threatdown---fathers-and-sons", "http://thecolbertreport.cc.com/videos/o71qa3/fract---colbert-trivia", "http://thecolbertreport.cc.com/videos/4z25yz/john-stossel", "http://thecolbertreport.cc.com/videos/gsuxni/sign-off---future-money" ], "guest": "John Stossel" }, { "date": "2006-01-12", "videos": [ "http://thecolbertreport.cc.com/videos/vkw0ea/intro---1-12-06", "http://thecolbertreport.cc.com/videos/smz33e/the-oscars", "http://thecolbertreport.cc.com/videos/hldbza/the-word---double-stick-tape", "http://thecolbertreport.cc.com/videos/ycx56p/better-know-a-district---new-jersey-s-9th---steven-rothman", "http://thecolbertreport.cc.com/videos/4huh6w/fract---frnap--monarchy", "http://thecolbertreport.cc.com/videos/2qbk3w/kenneth-miller", "http://thecolbertreport.cc.com/videos/393ez5/michael-adams--apology" ], "guest": "Ken Miller" }, { "date": "2006-01-16", "videos": [ "http://thecolbertreport.cc.com/videos/hk33gu/intro---1-16-06", "http://thecolbertreport.cc.com/videos/sfiw6u/martin-luther-king-jr--day", "http://thecolbertreport.cc.com/videos/a3wcdf/the-word---cerrado-", "http://thecolbertreport.cc.com/videos/7te5id/movies-that-are-destroying-america---transamerica", "http://thecolbertreport.cc.com/videos/2zgm7q/fract---captain-north-korea", "http://thecolbertreport.cc.com/videos/39qjdh/george-stephanopoulos", "http://thecolbertreport.cc.com/videos/1jvqfi/sign-off---i-have-a-dreamsicle" ], "guest": "George Stephanopoulos" }, { "date": "2006-01-17", "videos": [ "http://thecolbertreport.cc.com/videos/btjtm2/intro---1-17-2006", "http://thecolbertreport.cc.com/videos/uhh2bv/the-golden-globes", "http://thecolbertreport.cc.com/videos/lqd06o/age-defying-pancakes", "http://thecolbertreport.cc.com/videos/pxy8xm/the-word---old-school", "http://thecolbertreport.cc.com/videos/3wpryl/tip-wag---eminem", "http://thecolbertreport.cc.com/videos/l2yoxp/andrew-sullivan", "http://thecolbertreport.cc.com/videos/lpdbmt/wilford-brimley-calls---oatmeal" ], "guest": "Andrew Sullivan" }, { "date": "2006-01-18", "videos": [ "http://thecolbertreport.cc.com/videos/nh5ji3/intro---1-18-06", "http://thecolbertreport.cc.com/videos/z3vrpl/the-de-edumacation-of-the-american-brainscape", "http://thecolbertreport.cc.com/videos/ti5lsj/the-word---smarterer", "http://thecolbertreport.cc.com/videos/92rf9j/bring--em-back-or-leave--em-dead---teacher-s-edition", "http://thecolbertreport.cc.com/videos/rnpcxp/frank-mccourt", "http://thecolbertreport.cc.com/videos/86d7fs/sign-off---the-bully-system" ], "guest": "Frank McCourt" }, { "date": "2006-01-19", "videos": [ "http://thecolbertreport.cc.com/videos/1ibsf9/intro---1-19-06", "http://thecolbertreport.cc.com/videos/9s67zo/who-s-attacking-me-now----humane-society", "http://thecolbertreport.cc.com/videos/xguuix/the-word---public-see", "http://thecolbertreport.cc.com/videos/lidn3n/better-know-a-district---new-york-s-17th---eliot-engel", "http://thecolbertreport.cc.com/videos/11mx9e/nina-totenberg", "http://thecolbertreport.cc.com/videos/9g8c9i/sign-off---drink-on" ], "guest": "Nina Totenberg" }, { "date": "2006-01-23", "videos": [ "http://thecolbertreport.cc.com/videos/rnxq1m/intro---1-23-06", "http://thecolbertreport.cc.com/videos/k046s8/oprah-s-book-club", "http://thecolbertreport.cc.com/videos/ruzjfq/the-word---charlie-daniels", "http://thecolbertreport.cc.com/videos/0wj0h7/threatdown---hamas", "http://thecolbertreport.cc.com/videos/puj7cw/david-gregory", "http://thecolbertreport.cc.com/videos/ipkxy5/dr--love" ], "guest": "David Gregory" }, { "date": "2006-01-24", "videos": [ "http://thecolbertreport.cc.com/videos/4cxurq/intro---1-24-06", "http://thecolbertreport.cc.com/videos/63ywy8/most-depressing-day-of-the-year", "http://thecolbertreport.cc.com/videos/xpxm3x/the-word---chernobyl", "http://thecolbertreport.cc.com/videos/bpx4o0/formidable-opponent---superpowers", "http://thecolbertreport.cc.com/videos/44x8vn/robin-givhan", "http://thecolbertreport.cc.com/videos/meshre/the-in-box---dvds" ], "guest": "Robin Givhan" }, { "date": "2006-01-25", "videos": [ "http://thecolbertreport.cc.com/videos/fcwdw2/intro---1-25-06", "http://thecolbertreport.cc.com/videos/sc546i/bill-o-reilly--fan-of-the-show", "http://thecolbertreport.cc.com/videos/dg5r31/the-word---remote-control", "http://thecolbertreport.cc.com/videos/d7q9f6/better-know-a-district---new-jersey-s-8th---bill-pascrell", "http://thecolbertreport.cc.com/videos/e7x760/norah-vincent" ], "guest": "Norah Vincent" }, { "date": "2006-01-26", "videos": [ "http://thecolbertreport.cc.com/videos/lquo7k/intro---1-26-06", "http://thecolbertreport.cc.com/videos/xh484k/thundersnow", "http://thecolbertreport.cc.com/videos/qdqpdn/who-s-attacking-me-now----marina-core", "http://thecolbertreport.cc.com/videos/9v3sqy/the-word---wham-o", "http://thecolbertreport.cc.com/videos/qnlt2s/one-of-the-heroes--lily-s-", "http://thecolbertreport.cc.com/videos/lca5rm/colbert-cruise---write-off", "http://thecolbertreport.cc.com/videos/gimvpm/paul-begala" ], "guest": "Paul Begala" }, { "date": "2006-01-30", "videos": [ "http://thecolbertreport.cc.com/videos/fhkpsg/intro---1-30-06", "http://thecolbertreport.cc.com/videos/vbdym4/james-frey-s-truthiness", "http://thecolbertreport.cc.com/videos/e6nijq/the-word---abortion", "http://thecolbertreport.cc.com/videos/5se9xj/tip-wag---google", "http://thecolbertreport.cc.com/videos/3f4m4d/annie-duke" ], "guest": "Annie Duke" }, { "date": "2006-01-31", "videos": [ "http://thecolbertreport.cc.com/videos/2cxabn/intro---1-31-06", "http://thecolbertreport.cc.com/videos/d5gebw/the-word---jesi", "http://thecolbertreport.cc.com/videos/fo1pme/all-you-need-to-know---samuel-alito", "http://thecolbertreport.cc.com/videos/165jzf/fract---the-american-flag", "http://thecolbertreport.cc.com/videos/2uduhl/david-maresh", "http://thecolbertreport.cc.com/videos/iddejj/sign-off---god-bless", "http://thecolbertreport.cc.com/videos/2na088/craziest-f--king-thing-i-ve-ever-heard---snake-and-hamster" ], "guest": "Dave Marash" }, { "date": "2006-02-01", "videos": [ "http://thecolbertreport.cc.com/videos/dk9yev/intro---2-1-06", "http://thecolbertreport.cc.com/videos/y6qr8t/the-american-worker--a-hero-s-salute-to-the-besieged-heroes-of-the-american-jobscape", "http://thecolbertreport.cc.com/videos/u7tnek/the-word---you-re-welcome", "http://thecolbertreport.cc.com/videos/zfo99j/lieber---minimum-wage", "http://thecolbertreport.cc.com/videos/qm6xwf/emily-yoffe", "http://thecolbertreport.cc.com/videos/359g3f/sign-off---blue-collar-workday" ], "guest": "Emily Yoffe" }, { "date": "2006-02-02", "videos": [ "http://thecolbertreport.cc.com/videos/1dag2u/intro---2-2-06", "http://thecolbertreport.cc.com/videos/ad4eb4/groundhog-day-forecast", "http://thecolbertreport.cc.com/videos/3bftnm/stephen-s-famous-five-meat-chili", "http://thecolbertreport.cc.com/videos/xbb82c/the-word---aggravated-assault", "http://thecolbertreport.cc.com/videos/lggm23/better-know-a-district---new-york-s-8th---jerrold-nadler", "http://thecolbertreport.cc.com/videos/waxwaq/christine-todd-whitman", "http://thecolbertreport.cc.com/videos/1q178e/sign-off---tivo" ], "guest": "Gov. Christine Todd Whitman" }, { "date": "2006-02-06", "videos": [ "http://thecolbertreport.cc.com/videos/dpnfel/intro---2-6-06", "http://thecolbertreport.cc.com/videos/x1tmbw/birth-day-off", "http://thecolbertreport.cc.com/videos/1gk1h5/the-golden-corner", "http://thecolbertreport.cc.com/videos/r9ih4w/the-word---metaphorically", "http://thecolbertreport.cc.com/videos/4xxw86/threatdown---killer-bees", "http://thecolbertreport.cc.com/videos/kckjlf/fract---native-american-state-names", "http://thecolbertreport.cc.com/videos/lynt84/barbara-boxer", "http://thecolbertreport.cc.com/videos/xaj1wb/to-be-continued" ], "guest": "Barbara Boxer" }, { "date": "2006-02-07", "videos": [ "http://thecolbertreport.cc.com/videos/aa2a90/intro---2-7-06", "http://thecolbertreport.cc.com/videos/nzdokc/math-is-hard", "http://thecolbertreport.cc.com/videos/iwl7g4/the-word---kidding", "http://thecolbertreport.cc.com/videos/pc9syn/fract---frnap--royalty", "http://thecolbertreport.cc.com/videos/uvx8kk/james-woolsey", "http://thecolbertreport.cc.com/videos/xx0m7n/western-union" ], "guest": "R. James Woolsey" }, { "date": "2006-02-08", "videos": [ "http://thecolbertreport.cc.com/videos/3vblh5/intro---2-8-06", "http://thecolbertreport.cc.com/videos/zmpne2/b-b-b-l-t-", "http://thecolbertreport.cc.com/videos/0qolhd/electronic-surveillance", "http://thecolbertreport.cc.com/videos/pi8m0r/the-word---eureka", "http://thecolbertreport.cc.com/videos/29usyw/better-know-a-district---pennsylvania-s-2nd---chaka-fattah", "http://thecolbertreport.cc.com/videos/flyja7/fract---bush-s-height", "http://thecolbertreport.cc.com/videos/6jmw8z/alan-dershowitz", "http://thecolbertreport.cc.com/videos/96mt5f/the-in-box---terry" ], "guest": "Alan Dershowitz" }, { "date": "2006-02-09", "videos": [ "http://thecolbertreport.cc.com/videos/afiwhq/intro---2-9-06", "http://thecolbertreport.cc.com/videos/qryfzw/big-brass-balls-award", "http://thecolbertreport.cc.com/videos/c00cpa/the-word---u-s-a---u-s-a--", "http://thecolbertreport.cc.com/videos/wpi1k4/stephen-s-laws-of-love", "http://thecolbertreport.cc.com/videos/8rwy8k/george-packer", "http://thecolbertreport.cc.com/videos/33a8tw/charlene--i-m-right-behind-you-" ], "guest": "George Packer" }, { "date": "2006-02-21", "videos": [ "http://thecolbertreport.cc.com/videos/z5opi6/intro---2-21-06", "http://thecolbertreport.cc.com/videos/uo23hp/accidental-shooting", "http://thecolbertreport.cc.com/videos/loo817/the-word---u-s-a---u-s-a--", "http://thecolbertreport.cc.com/videos/u7vgjy/better-know-a-district---new-jersey-s-13th", "http://thecolbertreport.cc.com/videos/gb5q2m/fract---americana", "http://thecolbertreport.cc.com/videos/zyrf0h/lama-surya-das", "http://thecolbertreport.cc.com/videos/501uix/sign-off---dna" ], "guest": "Lama Surya Das" }, { "date": "2006-02-22", "videos": [ "http://thecolbertreport.cc.com/videos/i0btk9/intro---2-22-06", "http://thecolbertreport.cc.com/videos/9a1fo6/speed-skating-debacle", "http://thecolbertreport.cc.com/videos/0g837q/the-word---absolutely-maybe", "http://thecolbertreport.cc.com/videos/mvtu98/threatdown---gay-adoption", "http://thecolbertreport.cc.com/videos/jkkvih/michael-eric-dyson" ], "guest": "Michael Eric Dyson" }, { "date": "2006-02-23", "videos": [ "http://thecolbertreport.cc.com/videos/v60d4d/intro---2-23-06", "http://thecolbertreport.cc.com/videos/rr6syc/threatdown---bears", "http://thecolbertreport.cc.com/videos/754igf/presidential-visions", "http://thecolbertreport.cc.com/videos/s0zne3/the-word---hippocratical", "http://thecolbertreport.cc.com/videos/kftjaw/pharmaceuticals--prescription-for-progress", "http://thecolbertreport.cc.com/videos/rsogzl/david-brooks", "http://thecolbertreport.cc.com/videos/azjwel/sign-off---pause-your-tvs" ], "guest": "David Brooks" }, { "date": "2006-02-27", "videos": [ "http://thecolbertreport.cc.com/videos/te5not/intro---2-27-06", "http://thecolbertreport.cc.com/videos/a6q20s/the-de-deification-of-the-american-faithscape", "http://thecolbertreport.cc.com/videos/opnyg5/who-hates-whom-in-the-name-of-god", "http://thecolbertreport.cc.com/videos/2hdt17/the-word---trial-separation", "http://thecolbertreport.cc.com/videos/5ggers/pick-your-apocalypse", "http://thecolbertreport.cc.com/videos/oop06i/tony-campolo", "http://thecolbertreport.cc.com/videos/14uaa2/confess-your-sins-to-stephen" ], "guest": "Tony Campolo" }, { "date": "2006-02-28", "videos": [ "http://thecolbertreport.cc.com/videos/cebyqr/intro---2-28-06", "http://thecolbertreport.cc.com/videos/roej3y/who-s-attacking-me-now----anderson-cooper", "http://thecolbertreport.cc.com/videos/bdairu/the-word---laissez-les-bons-temps-rouler-", "http://thecolbertreport.cc.com/videos/2v3htj/tip-wag---wheeled-transportation", "http://thecolbertreport.cc.com/videos/sz96fe/brett-o-donnell" ], "guest": "Brett O'Donnell" }, { "date": "2006-03-01", "videos": [ "http://thecolbertreport.cc.com/videos/ldd32b/intro---3-1-06", "http://thecolbertreport.cc.com/videos/jndc1b/better-know-a-district---california-s-50th", "http://thecolbertreport.cc.com/videos/4j8lfp/the-word---faith", "http://thecolbertreport.cc.com/videos/1bozfl/better-know-a-founder---benjamin-franklin", "http://thecolbertreport.cc.com/videos/11m5ii/arianna-huffington" ], "guest": "Arianna Huffington" }, { "date": "2006-03-02", "videos": [ "http://thecolbertreport.cc.com/videos/ubq51o/intro---3-2-06", "http://thecolbertreport.cc.com/videos/stez1k/the-word---homo-sapien-agenda", "http://thecolbertreport.cc.com/videos/3k2tf6/the-dacolbert-code---the-oscars", "http://thecolbertreport.cc.com/videos/gltobj/jeffrey-sachs", "http://thecolbertreport.cc.com/videos/wx4nw0/sign-off---end-of-an-era" ], "guest": "Jeffrey Sachs" }, { "date": "2006-03-06", "videos": [ "http://thecolbertreport.cc.com/videos/404ffy/intro---3-6-06", "http://thecolbertreport.cc.com/videos/l42kmx/hollywood-decontamination", "http://thecolbertreport.cc.com/videos/tsfsdu/never-say-die", "http://thecolbertreport.cc.com/videos/5tdn6m/the-word---spoiler-alert-", "http://thecolbertreport.cc.com/videos/tua61a/threatdown---non-blondes", "http://thecolbertreport.cc.com/videos/rlta2z/bob-schieffer", "http://thecolbertreport.cc.com/videos/iwpji5/sign-off---narnia" ], "guest": "Bob Schieffer" }, { "date": "2006-03-07", "videos": [ "http://thecolbertreport.cc.com/videos/ca0riz/intro---3-7-06", "http://thecolbertreport.cc.com/videos/4cutks/colbert-manor", "http://thecolbertreport.cc.com/videos/mtcb44/the-word---the-long-war", "http://thecolbertreport.cc.com/videos/g0hyvn/all-you-need-to-know---video-games", "http://thecolbertreport.cc.com/videos/8n27zq/norman-ornstein" ], "guest": "Norman Ornstean" }, { "date": "2006-03-08", "videos": [ "http://thecolbertreport.cc.com/videos/xbwofw/intro---3-8-06", "http://thecolbertreport.cc.com/videos/x1smyo/colbert-manor-revisited", "http://thecolbertreport.cc.com/videos/to3c41/the-word---monopoly", "http://thecolbertreport.cc.com/videos/qhlrjh/stephen-s-sound-advice---civil-war-do-s---don-ts", "http://thecolbertreport.cc.com/videos/1ggda8/fract---america-rocks", "http://thecolbertreport.cc.com/videos/ovaery/james-webb", "http://thecolbertreport.cc.com/videos/vggdk5/used-flag-offer" ], "guest": "James Webb" }, { "date": "2006-03-09", "videos": [ "http://thecolbertreport.cc.com/videos/vaflyt/intro---3-9-06", "http://thecolbertreport.cc.com/videos/dx0yti/canadian-baseball-", "http://thecolbertreport.cc.com/videos/6l67tv/the-word---d-i-y-", "http://thecolbertreport.cc.com/videos/7oy8db/better-know-a-district---california-s-39th-district---linda-sanchez", "http://thecolbertreport.cc.com/videos/15d41c/lorraine-bracco" ], "guest": "Lorraine Bracco" }, { "date": "2006-03-13", "videos": [ "http://thecolbertreport.cc.com/videos/d7ebhg/intro---3-13-06", "http://thecolbertreport.cc.com/videos/lmy7oh/predictions", "http://thecolbertreport.cc.com/videos/lykn1c/not-gay", "http://thecolbertreport.cc.com/videos/so8v2i/the-word---sidney-poitier", "http://thecolbertreport.cc.com/videos/ufh2rw/christopher-buckley", "http://thecolbertreport.cc.com/videos/k79bmy/sign-off---mad-magazine" ], "guest": "Christopher Buckley" }, { "date": "2006-03-14", "videos": [<|fim▁hole|> "http://thecolbertreport.cc.com/videos/kiwto1/was-it-really-that-bad----before-unions", "http://thecolbertreport.cc.com/videos/402x36/fract---hawaii", "http://thecolbertreport.cc.com/videos/loh9en/keith-olbermann", "http://thecolbertreport.cc.com/videos/8vssl2/hiphopketball-ii--the-rejazzebration-remix--06" ], "guest": "Keith Olbermann" }, { "date": "2006-03-15", "videos": [ "http://thecolbertreport.cc.com/videos/wt5xpw/intro---3-15-06", "http://thecolbertreport.cc.com/videos/u8eaqc/sperm-donor", "http://thecolbertreport.cc.com/videos/g4bu6e/the-word---none-of-the-above", "http://thecolbertreport.cc.com/videos/kruphn/al-franken", "http://thecolbertreport.cc.com/videos/usnoo7/al-franken-fields-calls", "http://thecolbertreport.cc.com/videos/z5ir97/craziest-f--king-thing-i-ve-ever-heard---bear-wrestling" ], "guest": "Al Franken" }, { "date": "2006-03-16", "videos": [ "http://thecolbertreport.cc.com/videos/yna7fv/intro---3-16-06", "http://thecolbertreport.cc.com/videos/ecjm4u/who-s-attacking-me-now----commander-coconut", "http://thecolbertreport.cc.com/videos/2m2cs5/the-word---sweet-dreams", "http://thecolbertreport.cc.com/videos/kgsuha/better-know-a-protectorate---the-virgin-islands---donna-christensen", "http://thecolbertreport.cc.com/videos/6o7ym9/frank-vincent", "http://thecolbertreport.cc.com/videos/cycayo/sign-off---i-ll-miss-you" ], "guest": "Frank Vincent" }, { "date": "2006-03-20", "videos": [ "http://thecolbertreport.cc.com/videos/nnadg0/intro---3-20-06", "http://thecolbertreport.cc.com/videos/isowuv/movies-that-are-destroying-america---post-oscar-wrap-up", "http://thecolbertreport.cc.com/videos/vr4vvt/connie-chung", "http://thecolbertreport.cc.com/videos/yuth1j/jessica-simpson-turns-down-gop", "http://thecolbertreport.cc.com/videos/6xoiww/war-in-iraq---third-anniversary", "http://thecolbertreport.cc.com/videos/b7697r/the-word---stop-it" ], "guest": "Connie Chung" }, { "date": "2006-03-21", "videos": [ "http://thecolbertreport.cc.com/videos/xvs8w8/intro---3-21-06", "http://thecolbertreport.cc.com/videos/zze24r/world-baseball-classic", "http://thecolbertreport.cc.com/videos/teon93/the-word---eat-it", "http://thecolbertreport.cc.com/videos/eh7h1y/employee-performance-reviews", "http://thecolbertreport.cc.com/videos/nbiu6f/steve-kroft", "http://thecolbertreport.cc.com/videos/jt1thw/the-in-box---corrections" ], "guest": "Steve Kroft" }, { "date": "2006-03-22", "videos": [ "http://thecolbertreport.cc.com/videos/70ntar/intro---3-22-06", "http://thecolbertreport.cc.com/videos/nw6pi6/advice-for-jennifer-anniston", "http://thecolbertreport.cc.com/videos/gx67le/better-know-a-district---california-s-27th---brad-sherman", "http://thecolbertreport.cc.com/videos/c3fb4g/the-word---i-am-the-great-and-powerful-oz", "http://thecolbertreport.cc.com/videos/uqd7r1/dan-senor", "http://thecolbertreport.cc.com/videos/qay3pj/sign-off---thank-you--america" ], "guest": "Dan Senor" }, { "date": "2006-03-23", "videos": [ "http://thecolbertreport.cc.com/videos/ou0ql7/intro---3-23-06", "http://thecolbertreport.cc.com/videos/rxxsf1/home--hearth--heart-and-heartland---this-land-is-your-land", "http://thecolbertreport.cc.com/videos/1q0pl8/miss-manners", "http://thecolbertreport.cc.com/videos/jeurtc/stephen-s-sound-advice---how-to-raise-a-hero", "http://thecolbertreport.cc.com/videos/3x5mhp/john-kasich", "http://thecolbertreport.cc.com/videos/tgvvyb/sign-off---the-reason-for-the-hearth" ], "guest": "John Kasich" }, { "date": "2006-03-27", "videos": [ "http://thecolbertreport.cc.com/videos/yvu55b/intro---3-27-06", "http://thecolbertreport.cc.com/videos/lu2x91/off-the-market", "http://thecolbertreport.cc.com/videos/b1jlbx/immigration-protests", "http://thecolbertreport.cc.com/videos/hizymr/exercise-routine", "http://thecolbertreport.cc.com/videos/fafxll/the-word---tense", "http://thecolbertreport.cc.com/videos/jmwqn6/letter-to-the-judge", "http://thecolbertreport.cc.com/videos/6zqqyf/threatdown---drug-candy", "http://thecolbertreport.cc.com/videos/hx3fbe/fract---bald-eagle", "http://thecolbertreport.cc.com/videos/i44o34/gary-hart", "http://thecolbertreport.cc.com/videos/bwhjyd/sign-off---tomorrow-s-guest" ], "guest": "Gary Hart" }, { "date": "2006-03-28", "videos": [ "http://thecolbertreport.cc.com/videos/9tw416/intro---3-28-06", "http://thecolbertreport.cc.com/videos/wm4vs8/baby-eagle", "http://thecolbertreport.cc.com/videos/4s1h3q/the-word---easter-under-attack---marketing", "http://thecolbertreport.cc.com/videos/erxj6i/lieber---school-vouchers", "http://thecolbertreport.cc.com/videos/3ejtt4/fract---commemorative-spoons", "http://thecolbertreport.cc.com/videos/tyfnef/michael-brown", "http://thecolbertreport.cc.com/videos/t4qaaf/sign-off---goodnight--stephen-jr-" ], "guest": "Michael Brown" }, { "date": "2006-03-29", "videos": [ "http://thecolbertreport.cc.com/videos/4mdlim/intro---3-29-06", "http://thecolbertreport.cc.com/videos/r9z4ro/eclipse", "http://thecolbertreport.cc.com/videos/mqt5m8/the-word---merrier", "http://thecolbertreport.cc.com/videos/3xpeh4/better-know-a-district---california-s-29th---adam-schiff", "http://thecolbertreport.cc.com/videos/k1c0hq/bruce-bartlett" ], "guest": "Bruce Bartlett" }, { "date": "2006-03-30", "videos": [ "http://thecolbertreport.cc.com/videos/uaktnl/intro---3-30-06", "http://thecolbertreport.cc.com/videos/89u375/what-jill-carroll-missed", "http://thecolbertreport.cc.com/videos/nuwaus/women-s-history-month---soledad-o-brien", "http://thecolbertreport.cc.com/videos/smbaky/tip-wag---the-templeton-prize", "http://thecolbertreport.cc.com/videos/n7sm3g/fract---drug-testing-standards", "http://thecolbertreport.cc.com/videos/b95nrh/robert-greenwald", "http://thecolbertreport.cc.com/videos/0vbmc1/million-man-march", "http://thecolbertreport.cc.com/videos/zcqswd/the-word---f--k" ], "guest": "Robert Greenwald" }, { "date": "2006-04-03", "videos": [ "http://thecolbertreport.cc.com/videos/r2tcqv/intro---4-3-06", "http://thecolbertreport.cc.com/videos/cckn97/who-s-honoring-me-now----southern-poverty-law-center", "http://thecolbertreport.cc.com/videos/j51p1g/the-word---stay-the-course", "http://thecolbertreport.cc.com/videos/mq3zja/stephen-s-sound-advice---taxes", "http://thecolbertreport.cc.com/videos/ci41dt/michael-smerconish", "http://thecolbertreport.cc.com/videos/716068/sign-off---nutz" ], "guest": "Michael Smerconish" }, { "date": "2006-04-04", "videos": [ "http://thecolbertreport.cc.com/videos/9ew48u/intro---4-4-06", "http://thecolbertreport.cc.com/videos/ouryux/delay-retires", "http://thecolbertreport.cc.com/videos/3pmhdv/the-word---birdie", "http://thecolbertreport.cc.com/videos/fgj62q/balls-for-kidz---plastic-surgery", "http://thecolbertreport.cc.com/videos/3sqfo3/jesse-jackson" ], "guest": "Jesse Jackson" }, { "date": "2006-04-05", "videos": [ "http://thecolbertreport.cc.com/videos/pxrtxy/intro---4-5-06", "http://thecolbertreport.cc.com/videos/1sxrid/crying", "http://thecolbertreport.cc.com/videos/alac6s/the-word---martyr", "http://thecolbertreport.cc.com/videos/6ythy9/formidable-opponent---immigration", "http://thecolbertreport.cc.com/videos/4ipowz/fract---russian-girls", "http://thecolbertreport.cc.com/videos/7hiane/harvey-mansfield", "http://thecolbertreport.cc.com/videos/7q90hr/sign-off---en-espanol" ], "guest": "Harvey Mansfield" }, { "date": "2006-04-06", "videos": [ "http://thecolbertreport.cc.com/videos/4p2khi/intro---4-6-06", "http://thecolbertreport.cc.com/videos/yy1ecn/who-s-not-honoring-me-now----peabody-award", "http://thecolbertreport.cc.com/videos/wh4nku/easter-under-attack---recalled-eggs", "http://thecolbertreport.cc.com/videos/h6f8ks/the-word---nazis", "http://thecolbertreport.cc.com/videos/hqbc11/better-know-a-district---oregon-s-5th---darlene-hooley", "http://thecolbertreport.cc.com/videos/2v5yd4/markos-moulitsas", "http://thecolbertreport.cc.com/videos/a2gy6a/sign-off---spring-break" ], "guest": "Markos Moulitsas" }, { "date": "2006-04-17", "videos": [ "http://thecolbertreport.cc.com/videos/rho2b5/intro---4-17-06", "http://thecolbertreport.cc.com/videos/jh0t6d/dime-boycott", "http://thecolbertreport.cc.com/videos/nyextq/on-notice---journal-of-paleolimnology", "http://thecolbertreport.cc.com/videos/swdzeg/was-it-really-that-bad----san-francisco-earthquake", "http://thecolbertreport.cc.com/videos/8ydrv2/reza-aslan", "http://thecolbertreport.cc.com/videos/nfyuyx/craziest-f--king-thing-i-ve-ever-heard---fly-glasses" ], "guest": "Reza Aslan" }, { "date": "2006-04-18", "videos": [ "http://thecolbertreport.cc.com/videos/mwy60m/intro---4-18-06", "http://thecolbertreport.cc.com/videos/8zlfj4/stephen-jr--hatches-", "http://thecolbertreport.cc.com/videos/gi0de7/the-word---sir--yes--sir", "http://thecolbertreport.cc.com/videos/6epoa4/threatdown---pooh", "http://thecolbertreport.cc.com/videos/5peygv/anthony-romero", "http://thecolbertreport.cc.com/videos/9g88m0/baby-monitor", "http://thecolbertreport.cc.com/videos/sdky8q/who-s-not-honoring-me-now----pulitzer-prize" ], "guest": "Anthony Romero" }, { "date": "2006-04-19", "videos": [ "http://thecolbertreport.cc.com/videos/msbasq/intro---4-19-06", "http://thecolbertreport.cc.com/videos/8e53yj/white-house-press-secretary", "http://thecolbertreport.cc.com/videos/usn2co/global-warming-tv", "http://thecolbertreport.cc.com/videos/ai2zb9/the-word---save-it", "http://thecolbertreport.cc.com/videos/0nrquc/tip-wag---tom-cruise-and-katie-holmes", "http://thecolbertreport.cc.com/videos/x40hn2/caitlin-flanagan" ], "guest": "Caitlin Flanagan" }, { "date": "2006-04-20", "videos": [ "http://thecolbertreport.cc.com/videos/ejbl27/intro---4-20-06", "http://thecolbertreport.cc.com/videos/qw6of6/protecting-kids-from-papers", "http://thecolbertreport.cc.com/videos/agw4nc/the-word---bard", "http://thecolbertreport.cc.com/videos/yrza7w/better-know-a-district---maryland-s-4th---albert-wynn", "http://thecolbertreport.cc.com/videos/isrl05/ralph-nader" ], "guest": "Ralph Nader" }, { "date": "2006-04-24", "videos": [ "http://thecolbertreport.cc.com/videos/ed2ifv/intro---4-24-06", "http://thecolbertreport.cc.com/videos/yd10jl/wok-this-way", "http://thecolbertreport.cc.com/videos/nhj8qv/money---politics--the-machine-that-ain-t-broke", "http://thecolbertreport.cc.com/videos/z1f4bz/duke-obilia-auction", "http://thecolbertreport.cc.com/videos/svw55c/hugh-hewitt", "http://thecolbertreport.cc.com/videos/qzp0e4/sign-off---chatty-cathy" ], "guest": "Hugh Hewitt" }, { "date": "2006-04-25", "videos": [ "http://thecolbertreport.cc.com/videos/h6j9ry/intro---4-25-06", "http://thecolbertreport.cc.com/videos/y1ry7v/contacting-john-lennon", "http://thecolbertreport.cc.com/videos/ef5fdk/the-word---panama", "http://thecolbertreport.cc.com/videos/6iaobq/threatdown---tom-hanks", "http://thecolbertreport.cc.com/videos/6smo0z/fract---middle-name", "http://thecolbertreport.cc.com/videos/gael38/sam-harris", "http://thecolbertreport.cc.com/videos/f00cpp/sign-off---bush-clock" ], "guest": "Sam Harris" }, { "date": "2006-04-26", "videos": [ "http://thecolbertreport.cc.com/videos/xo40za/intro---4-26-06", "http://thecolbertreport.cc.com/videos/pjxlyg/armed-and-ready", "http://thecolbertreport.cc.com/videos/hhuez9/the-word---english", "http://thecolbertreport.cc.com/videos/ydqtim/better-know-a-district---georgia-s-11th---phil-gingrey", "http://thecolbertreport.cc.com/videos/thlh72/sebastian-junger", "http://thecolbertreport.cc.com/videos/8puf3y/sign-off---yellowcake" ], "guest": "Sebastian Junger" }, { "date": "2006-04-27", "videos": [ "http://thecolbertreport.cc.com/videos/5ry4l9/intro---4-27-06", "http://thecolbertreport.cc.com/videos/z7tcn4/snow--informer", "http://thecolbertreport.cc.com/videos/6lr3t0/the-word---white-gloves", "http://thecolbertreport.cc.com/videos/b4nnko/plagiarism", "http://thecolbertreport.cc.com/videos/g4i72k/all-you-need-to-know---sleight-of-hand", "http://thecolbertreport.cc.com/videos/u54lrz/bill-kristol", "http://thecolbertreport.cc.com/videos/efk2x7/sign-off---the-nfl-draft" ], "guest": "Bill Kristol" }, { "date": "2006-05-01", "videos": [ "http://thecolbertreport.cc.com/videos/w2hp62/intro---5-1-06", "http://thecolbertreport.cc.com/videos/7jined/white-house-correspondents--dinner", "http://thecolbertreport.cc.com/videos/8uzt2n/the-word---drug-fueled-sex-crime", "http://thecolbertreport.cc.com/videos/yzcgdu/tip-wag---exxon", "http://thecolbertreport.cc.com/videos/5ptkiy/jon-meacham", "http://thecolbertreport.cc.com/videos/i3oqoh/sign-off---spam" ], "guest": "Jon Meacham" }, { "date": "2006-05-02", "videos": [ "http://thecolbertreport.cc.com/videos/341pc6/intro---5-2-06", "http://thecolbertreport.cc.com/videos/y9f7ks/magic-", "http://thecolbertreport.cc.com/videos/fdtzal/the-word---healthy-appetite", "http://thecolbertreport.cc.com/videos/hl6b8d/stephen-for-press-secretary", "http://thecolbertreport.cc.com/videos/lh3j87/mike-huckabee" ], "guest": "Governor Mike Huckabee" }, { "date": "2006-05-03", "videos": [ "http://thecolbertreport.cc.com/videos/wjeu9g/intro---5-3-06", "http://thecolbertreport.cc.com/videos/72mru6/alan-town", "http://thecolbertreport.cc.com/videos/gdu7ux/the-word---name-game", "http://thecolbertreport.cc.com/videos/f8iv5g/stephen-s-sound-advice---gas-prices", "http://thecolbertreport.cc.com/videos/3pdcz2/paul-rieckhoff", "http://thecolbertreport.cc.com/videos/65gltn/betterer-know-a-district---georgia-s-11th---phil-gingrey-bonus-edition" ], "guest": "Paul Rieckhoff" }, { "date": "2006-05-04", "videos": [ "http://thecolbertreport.cc.com/videos/mtzlgi/exclusive---better-know-a-district---oregon-s-3rd---earl-blumenauer", "http://thecolbertreport.cc.com/videos/pgiz58/intro---5-4-06", "http://thecolbertreport.cc.com/videos/ox5eqb/national-day-of-prayer", "http://thecolbertreport.cc.com/videos/38ws3t/the-word---indulgence", "http://thecolbertreport.cc.com/videos/h6w8h9/better-know-a-district---oregon-s-3rd---earl-blumenauer", "http://thecolbertreport.cc.com/videos/71jv5y/rick-reilly", "http://thecolbertreport.cc.com/videos/4uy12b/stephen-s-keys" ], "guest": "Rick Reilly" }, { "date": "2006-05-08", "videos": [ "http://thecolbertreport.cc.com/videos/6p8qc0/intro---5-8-06", "http://thecolbertreport.cc.com/videos/gk0182/stegul", "http://thecolbertreport.cc.com/videos/fyqj80/porter-goss-resignation", "http://thecolbertreport.cc.com/videos/3ig0g8/the-word---not", "http://thecolbertreport.cc.com/videos/zdkg2i/shere-hite", "http://thecolbertreport.cc.com/videos/7581zo/sign-off---thank-you--stephen-" ], "guest": "Shere Hite" }, { "date": "2006-05-09", "videos": [ "http://thecolbertreport.cc.com/videos/v9p03c/intro---5-9-06", "http://thecolbertreport.cc.com/videos/t6b1ke/double-or-nothing", "http://thecolbertreport.cc.com/videos/mjq9vh/the-word---superegomaniac", "http://thecolbertreport.cc.com/videos/9w4u9e/movies-that-are-destroying-america---summer-movies", "http://thecolbertreport.cc.com/videos/s2q4vq/frank-rich", "http://thecolbertreport.cc.com/videos/hofw72/sign-off---closing-credits-contest" ], "guest": "Frank Rich" }, { "date": "2006-05-10", "videos": [ "http://thecolbertreport.cc.com/videos/j0109g/exclusive---better-know-a-district---nebraska-s-2nd---lee-terry", "http://thecolbertreport.cc.com/videos/z0wmkf/intro---5-10-06", "http://thecolbertreport.cc.com/videos/pc9isx/the-bird-flu", "http://thecolbertreport.cc.com/videos/6olwle/the-word---athletes-are-above-the-law", "http://thecolbertreport.cc.com/videos/m1vdpp/better-know-a-district---nebraska-s-2nd---lee-terry", "http://thecolbertreport.cc.com/videos/kuohzs/william-bastone", "http://thecolbertreport.cc.com/videos/pksza0/sign-off---what-you-deserve" ], "guest": "Bill Bastone" }, { "date": "2006-05-11", "videos": [ "http://thecolbertreport.cc.com/videos/3oo94k/intro---5-11-06", "http://thecolbertreport.cc.com/videos/jn8cw4/the-west-wing", "http://thecolbertreport.cc.com/videos/j7pjuz/the-word---fill--er-up", "http://thecolbertreport.cc.com/videos/yy27qi/madeleine-albright", "http://thecolbertreport.cc.com/videos/8nl4m3/tip-wag---gold" ], "guest": "Madeleine Albright" }, { "date": "2006-05-15", "videos": [ "http://thecolbertreport.cc.com/videos/uhk7yp/intro---5-15-06", "http://thecolbertreport.cc.com/videos/nxszdr/ahmadinejad-s-letter", "http://thecolbertreport.cc.com/videos/g2h9yx/the-word---lunchables", "http://thecolbertreport.cc.com/videos/pn3k09/summaries-of-summaries", "http://thecolbertreport.cc.com/videos/f5iuwt/all-you-need-to-know---dick-cheney", "http://thecolbertreport.cc.com/videos/qrt5tg/kevin-phillips", "http://thecolbertreport.cc.com/videos/lww1s9/craziest-f--king-thing-i-ve-ever-heard---gas-prices" ], "guest": "Kevin Phillips" }, { "date": "2006-05-16", "videos": [ "http://thecolbertreport.cc.com/videos/x3193a/intro---5-16-06", "http://thecolbertreport.cc.com/videos/swctyt/the-word---inoculation", "http://thecolbertreport.cc.com/videos/5qdvts/billboard", "http://thecolbertreport.cc.com/videos/r5u8hp/body-parts-for-sale", "http://thecolbertreport.cc.com/videos/kdtmpm/tyson-slocum", "http://thecolbertreport.cc.com/videos/53mwdm/search-for-a-new-black-friend" ], "guest": "Tyson Slocum" }, { "date": "2006-05-17", "videos": [ "http://thecolbertreport.cc.com/videos/8b6qml/exclusive---better-know-a-president---theodore-roosevelt", "http://thecolbertreport.cc.com/videos/x3193a/intro---5-16-06", "http://thecolbertreport.cc.com/videos/swctyt/the-word---inoculation", "http://thecolbertreport.cc.com/videos/5qdvts/billboard", "http://thecolbertreport.cc.com/videos/r5u8hp/body-parts-for-sale", "http://thecolbertreport.cc.com/videos/kdtmpm/tyson-slocum", "http://thecolbertreport.cc.com/videos/53mwdm/search-for-a-new-black-friend" ], "guest": "Jonathan Alter" }, { "date": "2006-05-17", "videos": [ "http://thecolbertreport.cc.com/videos/wnj4cc/intro---5-17-06", "http://thecolbertreport.cc.com/videos/xie8nv/the-word---democrats", "http://thecolbertreport.cc.com/videos/3w6t72/better-know-a-president---theodore-roosevelt", "http://thecolbertreport.cc.com/videos/1pm4i8/jonathan-alter", "http://thecolbertreport.cc.com/videos/3f6dmg/boycott", "http://thecolbertreport.cc.com/videos/bqqkk9/reagan-dimes" ], "guest": "Jonathan Alter" }, { "date": "2006-05-18", "videos": [ "http://thecolbertreport.cc.com/videos/ddjyzq/intro---5-18-06", "http://thecolbertreport.cc.com/videos/q374t3/stephen-colbert-s-guardian-eagles", "http://thecolbertreport.cc.com/videos/91osyo/the-word---libya", "http://thecolbertreport.cc.com/videos/rvxfth/difference-makers---tim-donnelly", "http://thecolbertreport.cc.com/videos/lga95g/fract---this-day-in-stephen-history", "http://thecolbertreport.cc.com/videos/jl63dd/ted-daeschler", "http://thecolbertreport.cc.com/videos/ddobv8/bears-eat-monkey" ], "guest": "Ted Daeschler" }, { "date": "2006-06-05", "videos": [ "http://thecolbertreport.cc.com/videos/63cmgz/my-first-100-shows--how-i-changed-the-world", "http://thecolbertreport.cc.com/videos/dk29ec/the-word---me", "http://thecolbertreport.cc.com/videos/sygeud/stone-phillips", "http://thecolbertreport.cc.com/videos/oqbssv/helium-balloon-drop", "http://thecolbertreport.cc.com/videos/n2keyu/the-in-box---100th-episode" ], "guest": "Stone Phillips" }, { "date": "2006-06-06", "videos": [ "http://thecolbertreport.cc.com/videos/0jvvnp/intro---6-6-06", "http://thecolbertreport.cc.com/videos/zo00tb/666", "http://thecolbertreport.cc.com/videos/fvrhwv/the-word---military", "http://thecolbertreport.cc.com/videos/ohdrye/stephen-s-sound-advice---graduation", "http://thecolbertreport.cc.com/videos/j42g38/christiane-amanpour", "http://thecolbertreport.cc.com/videos/5pxetf/sign-off---666-almost-over" ], "guest": "Christiane Amanpour" }, { "date": "2006-06-07", "videos": [ "http://thecolbertreport.cc.com/videos/4y1ae4/intro---6-7-06", "http://thecolbertreport.cc.com/videos/krcfjp/balrog", "http://thecolbertreport.cc.com/videos/8enhyk/search-for-a-new-black-friend---first-submissions", "http://thecolbertreport.cc.com/videos/b9ck5g/the-word---big-deal", "http://thecolbertreport.cc.com/videos/q5rrxq/threatdown---bad-heroin", "http://thecolbertreport.cc.com/videos/g6gwcq/steve-squyres", "http://thecolbertreport.cc.com/videos/l4kbi3/sign-off---vaughniston" ], "guest": "Steve Squyres" }, { "date": "2006-06-08", "videos": [ "http://thecolbertreport.cc.com/videos/s8vv3c/intro---6-8-06", "http://thecolbertreport.cc.com/videos/5h2hdf/good-news-about-terror", "http://thecolbertreport.cc.com/videos/9s5g2f/the-word---goooooaaaaaal-", "http://thecolbertreport.cc.com/videos/tb1qzm/better-know-a-district---texas--22nd---tom-delay", "http://thecolbertreport.cc.com/videos/l9x3is/steve-johnson", "http://thecolbertreport.cc.com/videos/irk0rv/honorary-doctor" ], "guest": "Steve Johnson" }, { "date": "2006-06-12", "videos": [ "http://thecolbertreport.cc.com/videos/kjiw2u/intro---6-12-06", "http://thecolbertreport.cc.com/videos/6ev021/tony-awards", "http://thecolbertreport.cc.com/videos/m292m0/on-notice---mort-zuckerman", "http://thecolbertreport.cc.com/videos/g6su9g/the-word---tom-delay-s-farewell-address", "http://thecolbertreport.cc.com/videos/e9sys9/tip-wag---college-students", "http://thecolbertreport.cc.com/videos/1zagcw/robert-f--kennedy-jr-", "http://thecolbertreport.cc.com/videos/rklfpc/a-tip-from-stephen-colbert-s-gardening-almanac" ], "guest": "Robert F. Kennedy Jr." }, { "date": "2006-06-13", "videos": [ "http://thecolbertreport.cc.com/videos/04ejnu/intro---6-13-06", "http://thecolbertreport.cc.com/videos/g9ijaq/stephen-jr--update", "http://thecolbertreport.cc.com/videos/qieya3/the-word---great-f---ing-idea", "http://thecolbertreport.cc.com/videos/c3pmq2/nsa-wiretapping", "http://thecolbertreport.cc.com/videos/2z4g9m/tim-flannery", "http://thecolbertreport.cc.com/videos/15yb0t/feline-bravery" ], "guest": "Tim Flannery" }, { "date": "2006-06-14", "videos": [ "http://thecolbertreport.cc.com/videos/6tm6zq/exclusive---better-know-a-district---georgia-s-8th---lynn-westmoreland", "http://thecolbertreport.cc.com/videos/ddmy1c/intro---6-14-06", "http://thecolbertreport.cc.com/videos/3lnns6/surprise-visit-to-iraq", "http://thecolbertreport.cc.com/videos/l28ig3/the-word---license-renewal", "http://thecolbertreport.cc.com/videos/tlf8t3/better-know-a-district---georgia-s-8th---lynn-westmoreland", "http://thecolbertreport.cc.com/videos/4xe4qw/david-sirota", "http://thecolbertreport.cc.com/videos/g3hppv/sign-off---disappearing-act" ], "guest": "David Sirota" }, { "date": "2006-06-15", "videos": [ "http://thecolbertreport.cc.com/videos/b9zn8f/intro---6-15-06", "http://thecolbertreport.cc.com/videos/69j400/search-for-a-new-black-friend----miami-vice--premiere", "http://thecolbertreport.cc.com/videos/kt2s9v/the-word---lock---load", "http://thecolbertreport.cc.com/videos/mqgxig/formidable-opponent---guantanamo-bay", "http://thecolbertreport.cc.com/videos/p118td/michael-pollan", "http://thecolbertreport.cc.com/videos/avxgi1/biggie-ness" ], "guest": "Michael Pollan" }, { "date": "2006-06-19", "videos": [ "http://thecolbertreport.cc.com/videos/1zww1j/intro---6-19-06", "http://thecolbertreport.cc.com/videos/hsj6mj/bill-gates", "http://thecolbertreport.cc.com/videos/dattp1/the-word---risky-business", "http://thecolbertreport.cc.com/videos/q5w5ph/threatdown---the-homo-sexy-edition", "http://thecolbertreport.cc.com/videos/vaw7tx/gustavo-arellano" ], "guest": "Gustavo Arellano" }, { "date": "2006-06-20", "videos": [ "http://thecolbertreport.cc.com/videos/wanyh5/intro---6-20-06", "http://thecolbertreport.cc.com/videos/t2udf0/marrying-snakes", "http://thecolbertreport.cc.com/videos/5kkfzf/the-word---everything-must-go", "http://thecolbertreport.cc.com/videos/m05b1x/american-goal", "http://thecolbertreport.cc.com/videos/qitmnq/stephen-makes-it-simple---government", "http://thecolbertreport.cc.com/videos/yji71b/bart-ehrman", "http://thecolbertreport.cc.com/videos/cahdxo/sign-off---i-ll-call-you" ], "guest": "Bart Ehrman" }, { "date": "2006-06-21", "videos": [ "http://thecolbertreport.cc.com/videos/ghd1lj/intro---6-21-06", "http://thecolbertreport.cc.com/videos/sx1i4m/truthiness-cheer", "http://thecolbertreport.cc.com/videos/o652yy/don-t-mess-with-jesus", "http://thecolbertreport.cc.com/videos/alty3q/world-cup-trash-talk---alexi-lalas", "http://thecolbertreport.cc.com/videos/n3wvrq/tip-wag---episcopal-church", "http://thecolbertreport.cc.com/videos/qjlwml/bay-buchanan", "http://thecolbertreport.cc.com/videos/k5qunl/sign-off---insane-clown" ], "guest": "Bay Buchanan" }, { "date": "2006-06-22", "videos": [ "http://thecolbertreport.cc.com/videos/q057ll/exclusive---better-know-a-district---colorado-s-1st---diana-degette", "http://thecolbertreport.cc.com/videos/wjjbzb/intro---6-22-06", "http://thecolbertreport.cc.com/videos/f4jomt/stephen-s-fault", "http://thecolbertreport.cc.com/videos/21iu1g/stephen-hawking-is-an-a-hole", "http://thecolbertreport.cc.com/videos/hfgyhs/the-word---cut-and-run", "http://thecolbertreport.cc.com/videos/abdpyq/better-know-a-district---colorado-s-1st---diana-degette", "http://thecolbertreport.cc.com/videos/2oh72f/douglas-brinkley", "http://thecolbertreport.cc.com/videos/vh4cyy/sign-off---not-winning-prizes" ], "guest": "Doug Brinkley" }, { "date": "2006-06-26", "videos": [ "http://thecolbertreport.cc.com/videos/nxwjfg/intro---6-26-06", "http://thecolbertreport.cc.com/videos/0au60f/buffett-hires-gates", "http://thecolbertreport.cc.com/videos/7xr6qc/medal-of-audacity", "http://thecolbertreport.cc.com/videos/wzsdxf/the-word---class-warfare", "http://thecolbertreport.cc.com/videos/gb7vwl/all-you-need-to-know---hot-planet", "http://thecolbertreport.cc.com/videos/ny0s7o/mark-bowden", "http://thecolbertreport.cc.com/videos/7zeule/sign-off---highlights-magazine" ], "guest": "Mark Bowden" }, { "date": "2006-06-27", "videos": [ "http://thecolbertreport.cc.com/videos/fqk84n/intro---6-27-06", "http://thecolbertreport.cc.com/videos/wmi0fy/flammo-mcburny", "http://thecolbertreport.cc.com/videos/jgpsp4/greatest-conservative-rock-songs", "http://thecolbertreport.cc.com/videos/5xzyo9/the-word---cold--dead-fingers", "http://thecolbertreport.cc.com/videos/nnrjlz/movies-that-are-destroying-america---a-scanner-darkly", "http://thecolbertreport.cc.com/videos/360rgd/chris-matthews", "http://thecolbertreport.cc.com/videos/iiom30/sign-off---rubber-mop" ], "guest": "Chris Matthews" }, { "date": "2006-06-28", "videos": [ "http://thecolbertreport.cc.com/videos/iehmr9/intro---6-28-06", "http://thecolbertreport.cc.com/videos/mdix0g/the-smoking-side-dish", "http://thecolbertreport.cc.com/videos/luor1n/american-flags", "http://thecolbertreport.cc.com/videos/ygvw1r/the-word---superman", "http://thecolbertreport.cc.com/videos/9i4qz9/citizens-in-action---fondue-it-yourself", "http://thecolbertreport.cc.com/videos/pt4qqj/robert-baer", "http://thecolbertreport.cc.com/videos/h13p5y/sign-off---mr--potato-head" ], "guest": "Robert Baer" }, { "date": "2006-06-29", "videos": [ "http://thecolbertreport.cc.com/videos/edzwgb/intro---6-29-06", "http://thecolbertreport.cc.com/videos/voqmme/farewell--supreme-court", "http://thecolbertreport.cc.com/videos/z39ivs/the-president-s-bff", "http://thecolbertreport.cc.com/videos/qzor72/the-word---monkey-butter", "http://thecolbertreport.cc.com/videos/ncmucg/difference-makers---steve-pelkey", "http://thecolbertreport.cc.com/videos/facpb9/christopher-noxon", "http://thecolbertreport.cc.com/videos/9y1lrr/star-jones" ], "guest": "Christopher Noxon" }, { "date": "2006-07-10", "videos": [ "http://thecolbertreport.cc.com/videos/lp1b85/intro---7-10-06", "http://thecolbertreport.cc.com/videos/fweavv/world-cup-co-champions", "http://thecolbertreport.cc.com/videos/gud4ld/the-word---silver-foxes", "http://thecolbertreport.cc.com/videos/ul4u7x/stephen-s-sound-advice---avoiding-wildfires", "http://thecolbertreport.cc.com/videos/hfxzg3/amy-sedaris", "http://thecolbertreport.cc.com/videos/izyjak/wilford-brimley-calls---mexico" ], "guest": "Amy Sedaris" }, { "date": "2006-07-11", "videos": [ "http://thecolbertreport.cc.com/videos/2clwx9/intro---7-11-06", "http://thecolbertreport.cc.com/videos/iqeepf/coddling-our-kids", "http://thecolbertreport.cc.com/videos/d006ym/the-word---psychopharmaparenting", "http://thecolbertreport.cc.com/videos/0go470/stephen-r-a-p-s----talkin--to-kids", "http://thecolbertreport.cc.com/videos/wpkhsp/tony-hawk", "http://thecolbertreport.cc.com/videos/0eibi7/stephen-colbert-s-world-of-colbertcraft" ], "guest": "Tony Hawk" }, { "date": "2006-07-12", "videos": [ "http://thecolbertreport.cc.com/videos/ov83sj/exclusive---better-know-a-district---washington-s-2nd---rick-larsen", "http://thecolbertreport.cc.com/videos/xl7bdt/intro---7-12-06", "http://thecolbertreport.cc.com/videos/t0dd3g/massachusetts---gaysrael", "http://thecolbertreport.cc.com/videos/pey6is/the-word---the-america-conventions", "http://thecolbertreport.cc.com/videos/67j2yk/better-know-a-district---washington-s-2nd---rick-larsen", "http://thecolbertreport.cc.com/videos/pabesh/mort-zuckerman", "http://thecolbertreport.cc.com/videos/c4tuhx/sign-off---space-open" ], "guest": "Mort Zuckerman" }, { "date": "2006-07-13", "videos": [ "http://thecolbertreport.cc.com/videos/rlgq2q/intro---7-13-06", "http://thecolbertreport.cc.com/videos/d3xq4i/tv-s-new-low", "http://thecolbertreport.cc.com/videos/d45lww/the-word---inquisition", "http://thecolbertreport.cc.com/videos/mu9fov/threatdown---gay-clones", "http://thecolbertreport.cc.com/videos/42xxhd/ron-suskind" ], "guest": "Ron Suskind" }, { "date": "2006-07-17", "videos": [ "http://thecolbertreport.cc.com/videos/q6xn0v/intro---7-17-06", "http://thecolbertreport.cc.com/videos/8g7ft7/microphone-on", "http://thecolbertreport.cc.com/videos/9s23g8/one-american-dollar", "http://thecolbertreport.cc.com/videos/ne3cif/the-word---t---a", "http://thecolbertreport.cc.com/videos/mn3izi/tip-wag---arizona", "http://thecolbertreport.cc.com/videos/udm6or/lee-silver", "http://thecolbertreport.cc.com/videos/yz4kpe/sign-off---lemons" ], "guest": "Lee Silver" }, { "date": "2006-07-18", "videos": [ "http://thecolbertreport.cc.com/videos/6nca03/intro---7-18-06", "http://thecolbertreport.cc.com/videos/zipmr4/column-width", "http://thecolbertreport.cc.com/videos/r9fvrq/wwiii", "http://thecolbertreport.cc.com/videos/y08094/the-word---solidarity", "http://thecolbertreport.cc.com/videos/dz7igl/stephen-colbert-s-problems-without-solutions---bears", "http://thecolbertreport.cc.com/videos/j9c7t7/dhani-jones", "http://thecolbertreport.cc.com/videos/eaenq6/try-at-goodbye" ], "guest": "Dhani Jones" }, { "date": "2006-07-19", "videos": [ "http://thecolbertreport.cc.com/videos/2v2a4w/intro---7-19-06", "http://thecolbertreport.cc.com/videos/wzyudz/veto-virginity", "http://thecolbertreport.cc.com/videos/vmqv4k/oprah-and-gayle", "http://thecolbertreport.cc.com/videos/zjmkqr/the-word---r-e-s-p-e-c-t", "http://thecolbertreport.cc.com/videos/yluk0n/the-convenientest-truth", "http://thecolbertreport.cc.com/videos/xndme2/joe-scarborough", "http://thecolbertreport.cc.com/videos/3os5ld/sign-off---buck-o-neil" ], "guest": "Joe Scarborough" }, { "date": "2006-07-20", "videos": [ "http://thecolbertreport.cc.com/videos/vx02e0/exclusive---better-know-a-district---florida-s-19th---robert-wexler", "http://thecolbertreport.cc.com/videos/e2w8gi/intro---7-20-06", "http://thecolbertreport.cc.com/videos/bpcz93/search-for-a-new-black-friend---friend-exchange-rate", "http://thecolbertreport.cc.com/videos/flwcdv/julian-bond", "http://thecolbertreport.cc.com/videos/8oaiw2/better-know-a-district---florida-s-19th---robert-wexler", "http://thecolbertreport.cc.com/videos/naagf7/tom-brokaw", "http://thecolbertreport.cc.com/videos/8yx1of/one-regret" ], "guest": "Tom Brokaw" }, { "date": "2006-07-24", "videos": [ "http://thecolbertreport.cc.com/videos/8l2dhx/intro---7-24-06", "http://thecolbertreport.cc.com/videos/b9z8jn/celebrating-america-s-kick-assedness", "http://thecolbertreport.cc.com/videos/mchynh/war---", "http://thecolbertreport.cc.com/videos/qpue58/the-word---moral-minority", "http://thecolbertreport.cc.com/videos/zo2o8b/threatdown---camp", "http://thecolbertreport.cc.com/videos/0xazqv/howell-raines", "http://thecolbertreport.cc.com/videos/530hq6/sign-off---proud" ], "guest": "Howell Raines" }, { "date": "2006-07-25", "videos": [ "http://thecolbertreport.cc.com/videos/3bdqam/intro---7-25-06", "http://thecolbertreport.cc.com/videos/qik373/all-red-states", "http://thecolbertreport.cc.com/videos/mdzpjk/morning-shows", "http://thecolbertreport.cc.com/videos/e4fmv9/the-word---opposite-day", "http://thecolbertreport.cc.com/videos/bqr3op/formidable-opponent---stem-cell-research", "http://thecolbertreport.cc.com/videos/6xp57g/william-donohue", "http://thecolbertreport.cc.com/videos/wfh0qw/sign-off---food-for-thought" ], "guest": "William Donohue" }, { "date": "2006-07-26", "videos": [ "http://thecolbertreport.cc.com/videos/sz2q6w/intro---7-26-06", "http://thecolbertreport.cc.com/videos/a62j0l/stephen-s-family-tree", "http://thecolbertreport.cc.com/videos/nxih1e/rescue-stephen-jr-", "http://thecolbertreport.cc.com/videos/b9kj0d/the-word---democrazy", "http://thecolbertreport.cc.com/videos/2wr9gw/stephen-s-sound-advice---blackouts", "http://thecolbertreport.cc.com/videos/ym3t0d/neal-katyal", "http://thecolbertreport.cc.com/videos/9nk4r7/sign-off---super-hero-stamps" ], "guest": "Neal Katyal" }, { "date": "2006-07-27", "videos": [ "http://thecolbertreport.cc.com/videos/bgxe8v/exclusive---better-know-a-district---district-of-columbia---eleanor-holmes-norton", "http://thecolbertreport.cc.com/videos/jdsi7h/intro---7-27-06", "http://thecolbertreport.cc.com/videos/2pti2w/floyd-landis--balls", "http://thecolbertreport.cc.com/videos/0qi0dm/the-word---secretary-general-bolton", "http://thecolbertreport.cc.com/videos/6quypd/better-know-a-district---district-of-columbia---eleanor-holmes-norton", "http://thecolbertreport.cc.com/videos/a2w76v/joe-quesada" ], "guest": "Joe Quesada" }, { "date": "2006-07-31", "videos": [ "http://thecolbertreport.cc.com/videos/2k66vv/intro---7-31-06", "http://thecolbertreport.cc.com/videos/ipm2dm/book-club", "http://thecolbertreport.cc.com/videos/3jl3pu/bicycle-theft", "http://thecolbertreport.cc.com/videos/z1aahs/the-word---wikiality", "http://thecolbertreport.cc.com/videos/zqod1f/tip-wag---lance-bass", "http://thecolbertreport.cc.com/videos/6tak7c/ned-lamont" ], "guest": "Ned Lamont" }, { "date": "2006-08-01", "videos": [ "http://thecolbertreport.cc.com/videos/b1r2b5/intro---8-1-06", "http://thecolbertreport.cc.com/videos/advrej/courting-joe-lieberman", "http://thecolbertreport.cc.com/videos/n4ao8r/cuba-libre", "http://thecolbertreport.cc.com/videos/uqnkmr/the-word---uncool", "http://thecolbertreport.cc.com/videos/kxcfet/balls-for-kidz---carnivals", "http://thecolbertreport.cc.com/videos/pcfi97/peter-beinart", "http://thecolbertreport.cc.com/videos/wm5ib9/sign-off---energy" ], "guest": "Peter Beinart" }, { "date": "2006-08-02", "videos": [ "http://thecolbertreport.cc.com/videos/7ofk8i/intro---8-2-06", "http://thecolbertreport.cc.com/videos/1jctl5/chair-for-joe-lieberman", "http://thecolbertreport.cc.com/videos/tc2zff/on-notice---how-the-on-notice-board-is-made", "http://thecolbertreport.cc.com/videos/9f950b/the-word---single-serving", "http://thecolbertreport.cc.com/videos/1gkx3r/no-joe-lieberman", "http://thecolbertreport.cc.com/videos/m7siat/linda-hirshman", "http://thecolbertreport.cc.com/videos/kx6zql/sign-off---cocoa-puffs" ], "guest": "Linda Hirshman" }, { "date": "2006-08-03", "videos": [ "http://thecolbertreport.cc.com/videos/dij1sw/war--what-it-s-good-for---intro", "http://thecolbertreport.cc.com/videos/gdp73x/war--what-it-s-good-for---russ-lieber", "http://thecolbertreport.cc.com/videos/xzhg3v/meet-an-ally---palau", "http://thecolbertreport.cc.com/videos/o6s4zb/paul-hackett", "http://thecolbertreport.cc.com/videos/cujsej/war--what-it-s-good-for---the-eternal-flame" ], "guest": "Paul Hackett" }, { "date": "2006-08-08", "videos": [ "http://thecolbertreport.cc.com/videos/ggdajm/intro---8-8-06", "http://thecolbertreport.cc.com/videos/oafdpt/lieberman-no-show", "http://thecolbertreport.cc.com/videos/kend9g/press-room-renovations", "http://thecolbertreport.cc.com/videos/cru76e/the-word---ten-hut-", "http://thecolbertreport.cc.com/videos/ywy5cq/tek-jansen---operation--heart-of-the-phoenix---dead-or-alive", "http://thecolbertreport.cc.com/videos/y3ycer/bill-rhoden", "http://thecolbertreport.cc.com/videos/h498ah/sign-off---toss-to-jon" ], "guest": "Bill Rhoden" }, { "date": "2006-08-09", "videos": [ "http://thecolbertreport.cc.com/videos/8ku3ic/intro---8-9-06", "http://thecolbertreport.cc.com/videos/m3m7kz/lieberman-loses", "http://thecolbertreport.cc.com/videos/coxidl/delay-and-jesus", "http://thecolbertreport.cc.com/videos/9jopn4/the-word---pencils-down", "http://thecolbertreport.cc.com/videos/hpijh0/tip-wag---hungarian-bridge", "http://thecolbertreport.cc.com/videos/p3g7eb/alexandra-robbins" ], "guest": "Alexandra Robbins" }, { "date": "2006-08-10", "videos": [ "http://thecolbertreport.cc.com/videos/75wf4h/exclusive---better-know-a-district---california-s-6th---lynn-woolsey-pt--1", "http://thecolbertreport.cc.com/videos/m276r1/exclusive---better-know-a-district---california-s-6th---lynn-woolsey-pt--2", "http://thecolbertreport.cc.com/videos/8ku3ic/intro---8-9-06", "http://thecolbertreport.cc.com/videos/m3m7kz/lieberman-loses", "http://thecolbertreport.cc.com/videos/coxidl/delay-and-jesus", "http://thecolbertreport.cc.com/videos/9jopn4/the-word---pencils-down", "http://thecolbertreport.cc.com/videos/hpijh0/tip-wag---hungarian-bridge", "http://thecolbertreport.cc.com/videos/p3g7eb/alexandra-robbins" ], "guest": "Eli Pariser" }, { "date": "2006-08-10", "videos": [ "http://thecolbertreport.cc.com/videos/qehfxb/intro---8-10-06", "http://thecolbertreport.cc.com/videos/6kvez0/liquids-on-planes", "http://thecolbertreport.cc.com/videos/b2svxe/the-word---cappuccino", "http://thecolbertreport.cc.com/videos/fyj6zj/better-know-a-district---california-s-6th---lynn-woolsey", "http://thecolbertreport.cc.com/videos/d573ty/eli-pariser", "http://thecolbertreport.cc.com/videos/hjpfzb/sign-off---remedy-for-insomnia" ], "guest": "Eli Pariser" }, { "date": "2006-08-14", "videos": [ "http://thecolbertreport.cc.com/videos/voo1ci/intro---8-14-06", "http://thecolbertreport.cc.com/videos/8c9998/peaceland", "http://thecolbertreport.cc.com/videos/mjxd75/french-fries", "http://thecolbertreport.cc.com/videos/bghbjx/jon-s-apology", "http://thecolbertreport.cc.com/videos/ozm5pk/stephen-s-sound-advice---protecting-your-online-identity", "http://thecolbertreport.cc.com/videos/u393jw/ramesh-ponnuru", "http://thecolbertreport.cc.com/videos/2b5c2u/sign-off---e-mail-password" ], "guest": "Ramesh Ponnuru" }, { "date": "2006-08-15", "videos": [ "http://thecolbertreport.cc.com/videos/s8rzc5/intro---8-15-06", "http://thecolbertreport.cc.com/videos/95fbpq/sharing-the-spotlight-with-ahmadinejad", "http://thecolbertreport.cc.com/videos/6qb0k5/the-word---dumb-ocracy", "http://thecolbertreport.cc.com/videos/2evzvd/hungarian-bridge-progress-report", "http://thecolbertreport.cc.com/videos/mjhnvj/all-you-need-to-know---proper-condom-use", "http://thecolbertreport.cc.com/videos/jdgp1k/david-gergen" ], "guest": "David Gergen" }, { "date": "2006-08-16", "videos": [ "http://thecolbertreport.cc.com/videos/5nmn6o/intro---8-16-06", "http://thecolbertreport.cc.com/videos/ic96lx/alan-schlesinger", "http://thecolbertreport.cc.com/videos/lsglfu/the-word---el-comandante", "http://thecolbertreport.cc.com/videos/gb4665/let-s-make-this-happen", "http://thecolbertreport.cc.com/videos/2ap7v2/was-it-really-that-bad----cold-war", "http://thecolbertreport.cc.com/videos/5uanam/morgan-spurlock", "http://thecolbertreport.cc.com/videos/9nqss3/sign-off---historic-hoax" ], "guest": "Morgan Spurlock" }, { "date": "2006-08-17", "videos": [ "http://thecolbertreport.cc.com/videos/b66unq/intro---8-17-06", "http://thecolbertreport.cc.com/videos/xzzu7h/continuity", "http://thecolbertreport.cc.com/videos/75yefr/neil-degrasse-tyson", "http://thecolbertreport.cc.com/videos/kc21ru/better-know-a-district---california-s-31st", "http://thecolbertreport.cc.com/videos/8n3z7e/better-know-a-district---california-s-31st---javier-becerra", "http://thecolbertreport.cc.com/videos/nsqwib/neil-young" ], "guest": "Neil Young" }, { "date": "2006-08-21", "videos": [ "http://thecolbertreport.cc.com/videos/uz7rxo/intro---8-21-06", "http://thecolbertreport.cc.com/videos/vzigy3/green-screen-challenge---the-announcement", "http://thecolbertreport.cc.com/videos/u468bk/atheists-in-foxholes", "http://thecolbertreport.cc.com/videos/pqlyj1/the-word---side-effects", "http://thecolbertreport.cc.com/videos/euqtan/threatdown---drivers-eat", "http://thecolbertreport.cc.com/videos/btgfsr/geoffrey-nunberg", "http://thecolbertreport.cc.com/videos/6p8hy2/sign-off---pants-off" ], "guest": "Geoffrey Nunberg" }, { "date": "2006-08-22", "videos": [ "http://thecolbertreport.cc.com/videos/h5huhm/intro---8-22-06", "http://thecolbertreport.cc.com/videos/xr6owy/cheating-death---fields-medal", "http://thecolbertreport.cc.com/videos/p4wf5t/the-word---99-problems", "http://thecolbertreport.cc.com/videos/8t1wv1/stephen-colbert-salutes-hungary", "http://thecolbertreport.cc.com/videos/6iv4i1/paul-krugman" ], "guest": "Paul Krugman" }, { "date": "2006-08-23", "videos": [ "http://thecolbertreport.cc.com/videos/rsqkbw/american-pop-culture--it-s-crumbelievable----intro", "http://thecolbertreport.cc.com/videos/85w92g/american-pop-culture--it-s-crumbelievable----pop-culture-icons", "http://thecolbertreport.cc.com/videos/l7z3b3/damian-kulash", "http://thecolbertreport.cc.com/videos/19r90f/american-pop-culture--it-s-crumbelievable----cable-tv-vs--the-american-family", "http://thecolbertreport.cc.com/videos/9h0pam/gideon-yago", "http://thecolbertreport.cc.com/videos/l29lto/american-pop-culture--it-s-crumbelievable----stephen-steps-up" ], "guest": "Gideon Yago" }, { "date": "2006-08-24", "videos": [ "http://thecolbertreport.cc.com/videos/86h1lx/intro---8-24-06", "http://thecolbertreport.cc.com/videos/j3gjfh/national-peach-month", "http://thecolbertreport.cc.com/videos/8avj2z/fart-jokes", "http://thecolbertreport.cc.com/videos/ejrivu/the-word---bad-boys", "http://thecolbertreport.cc.com/videos/sui137/30-days-with-the-colbert-report", "http://thecolbertreport.cc.com/videos/dw0hc5/janna-levin", "http://thecolbertreport.cc.com/videos/8v6ak5/green-screen-challenge---socialized-medicine" ], "guest": "Janna Levin" }, { "date": "2006-09-11", "videos": [ "http://thecolbertreport.cc.com/videos/e2o0vm/intro---9-11-06", "http://thecolbertreport.cc.com/videos/ryb1sd/manilow-s-emmy", "http://thecolbertreport.cc.com/videos/vnwrl5/the-word---shall", "http://thecolbertreport.cc.com/videos/epkjf1/the-path-to-9-11", "http://thecolbertreport.cc.com/videos/dpqisf/martin-short", "http://thecolbertreport.cc.com/videos/0giino/sign-off---lullaby-clap" ], "guest": "Martin Short" }, { "date": "2006-09-12", "videos": [ "http://thecolbertreport.cc.com/videos/zj5aco/exclusive---better-know-a-challenger---new-jersey-s-3rd---richard-sexton", "http://thecolbertreport.cc.com/videos/2vdm17/intro---9-12-06", "http://thecolbertreport.cc.com/videos/fuhxnz/green-screen-challenge---entry", "http://thecolbertreport.cc.com/videos/464nde/the-word---missed-opportunity", "http://thecolbertreport.cc.com/videos/03wv59/better-know-a-challenger---new-jersey-s-3rd---richard-sexton", "http://thecolbertreport.cc.com/videos/uyjgfx/toby-keith", "http://thecolbertreport.cc.com/videos/df7axm/sign-off---special-episode" ], "guest": "Toby Keith" }, { "date": "2006-09-13", "videos": [ "http://thecolbertreport.cc.com/videos/9h47r2/intro---9-13-06", "http://thecolbertreport.cc.com/videos/a7pf2u/the-colmandos", "http://thecolbertreport.cc.com/videos/fftk8t/the-word---caveat-emptor", "http://thecolbertreport.cc.com/videos/yr3sze/formidable-opponent---iraq-withdrawal", "http://thecolbertreport.cc.com/videos/io94jl/ken-jennings", "http://thecolbertreport.cc.com/videos/m6mk95/sign-off---cigarettes" ], "guest": "Ken Jennings" }, { "date": "2006-09-14", "videos": [ "http://thecolbertreport.cc.com/videos/3i56pi/intro---9-14-06", "http://thecolbertreport.cc.com/videos/m82cj5/sexy-photo", "http://thecolbertreport.cc.com/videos/39njye/george-allen", "http://thecolbertreport.cc.com/videos/dmk6s2/hungarian-bridge---andras-simonyi", "http://thecolbertreport.cc.com/videos/ogtff2/tip-wag---nasa", "http://thecolbertreport.cc.com/videos/6xq5fv/bill-simmons", "http://thecolbertreport.cc.com/videos/czqyfe/sign-off---get-on-it--nation", "http://thecolbertreport.cc.com/videos/g844xc/bridge-contest" ], "guest": "Bill Simmons" }, { "date": "2006-09-18", "videos": [ "http://thecolbertreport.cc.com/videos/wteen9/intro---9-18-06", "http://thecolbertreport.cc.com/videos/51grfw/whitney-houston", "http://thecolbertreport.cc.com/videos/82m3g9/the-word---wiper-fluid", "http://thecolbertreport.cc.com/videos/cyd2um/tek-jansen---operation--destiny-s-underbelly--entrapped-", "http://thecolbertreport.cc.com/videos/r7b7p1/will-power", "http://thecolbertreport.cc.com/videos/j44oq1/sign-off---bust" ], "guest": "Will Power" }, { "date": "2006-09-19", "videos": [ "http://thecolbertreport.cc.com/videos/spzrjp/intro---9-19-06", "http://thecolbertreport.cc.com/videos/dbmjaj/u-n--week", "http://thecolbertreport.cc.com/videos/5v40iy/the-word---tribalism", "http://thecolbertreport.cc.com/videos/qloab5/threatdown---toby-keith", "http://thecolbertreport.cc.com/videos/kf8re4/frank-rich", "http://thecolbertreport.cc.com/videos/ezwrh0/sign-off---fantasy-colbert-report-league" ], "guest": "Frank Rich" }, { "date": "2006-09-20", "videos": [ "http://thecolbertreport.cc.com/videos/lj5z86/green-screen-challenge---the-challenge-continues", "http://thecolbertreport.cc.com/videos/o1qorx/who-s-not-honoring-me-now----the-macarthur-foundation", "http://thecolbertreport.cc.com/videos/pz60rq/green-screen-challenge---typical-democrats", "http://thecolbertreport.cc.com/videos/vkr39r/stephen-s-sound-advice---high-school", "http://thecolbertreport.cc.com/videos/fn9d5q/james-carville", "http://thecolbertreport.cc.com/videos/g7hl0x/the-word---lose" ], "guest": "James Carville" }, { "date": "2006-09-21", "videos": [ "http://thecolbertreport.cc.com/videos/yujezq/intro---9-21-06", "http://thecolbertreport.cc.com/videos/tvrtdg/days-of-repentance-hotline", "http://thecolbertreport.cc.com/videos/kxvydq/better-know-a-challenger---new-jersey-s-5th---paul-aronsohn", "http://thecolbertreport.cc.com/videos/u1txo4/daniel-ellsberg", "http://thecolbertreport.cc.com/videos/42tk7e/sign-off---pentagon-papers", "http://thecolbertreport.cc.com/videos/yxzh84/daniel-golden" ], "guest": "Daniel Ellsberg" }, { "date": "2006-09-25", "videos": [ "http://thecolbertreport.cc.com/videos/ubu45l/intro---9-25-06", "http://thecolbertreport.cc.com/videos/918nqn/heritage", "http://thecolbertreport.cc.com/videos/s08yij/buy-this-book", "http://thecolbertreport.cc.com/videos/1tds5k/the-word---opposition-party", "http://thecolbertreport.cc.com/videos/az74i4/green-screen-challenge---goodbye--darth-maul-", "http://thecolbertreport.cc.com/videos/te8evq/fun-in-the-sun", "http://thecolbertreport.cc.com/videos/c88j0x/arianna-huffington" ], "guest": "Arianna Huffington" }, { "date": "2006-09-26", "videos": [ "http://thecolbertreport.cc.com/videos/13qtu2/intro---9-26-06", "http://thecolbertreport.cc.com/videos/76ov53/frank-rich-calls-in", "http://thecolbertreport.cc.com/videos/navjpx/the-word---good-morning", "http://thecolbertreport.cc.com/videos/22kzkk/four-horsemen-of-the-a-pop-calypse---justin-timberlake", "http://thecolbertreport.cc.com/videos/kertmr/ted-danson", "http://thecolbertreport.cc.com/videos/en1nzg/alpha-dog-of-the-week---tom-selleck" ], "guest": "Ted Danson" }, { "date": "2006-09-27", "videos": [ "http://thecolbertreport.cc.com/videos/dkn6is/intro---9-27-06", "http://thecolbertreport.cc.com/videos/w75za8/oprah-and-friends", "http://thecolbertreport.cc.com/videos/2zj0db/mort-zuckerman-dials-the-atone-phone", "http://thecolbertreport.cc.com/videos/wq2mkf/the-word---iraq", "http://thecolbertreport.cc.com/videos/p20mpr/tip-wag---george-clooney", "http://thecolbertreport.cc.com/videos/g1anyj/lowell-bergman", "http://thecolbertreport.cc.com/videos/8v25i1/sign-off---world-of-colbertcraft" ], "guest": "Lowell Bergman" }, { "date": "2006-09-28", "videos": [ "http://thecolbertreport.cc.com/videos/b0od22/intro---9-28-06", "http://thecolbertreport.cc.com/videos/mechk8/green-screen-challenge---ipod---colbert", "http://thecolbertreport.cc.com/videos/jl58qd/blitzkrieg-on-grinchitude---santa-claus--in", "http://thecolbertreport.cc.com/videos/a23i2j/jon-stewart-calls-in", "http://thecolbertreport.cc.com/videos/kby4hb/un-american-news---spain", "http://thecolbertreport.cc.com/videos/c2vyau/steve-wozniak" ], "guest": "Steve Wozniak" }, { "date": "2006-10-02", "videos": [ "http://thecolbertreport.cc.com/videos/vaflyc/intro---10-2-06", "http://thecolbertreport.cc.com/videos/ak0wmf/mark-foley", "http://thecolbertreport.cc.com/videos/clzwmu/the-word---copycat", "http://thecolbertreport.cc.com/videos/0f7zu5/threatdown---saudi-arabia", "http://thecolbertreport.cc.com/videos/6cuxj4/michael-lewis", "http://thecolbertreport.cc.com/videos/gwcer9/sign-off---actual-apologies" ], "guest": "Michael Lewis" }, { "date": "2006-10-03", "videos": [ "http://thecolbertreport.cc.com/videos/fkksjm/intro---10-3-06", "http://thecolbertreport.cc.com/videos/85po0w/drunk-dialing", "http://thecolbertreport.cc.com/videos/hnt52c/lucifer", "http://thecolbertreport.cc.com/videos/ap05bd/the-word---experience", "http://thecolbertreport.cc.com/videos/oojn49/steagle-colbeagle-the-eagle---mascot", "http://thecolbertreport.cc.com/videos/xqpdbq/andy-stern", "http://thecolbertreport.cc.com/videos/tbnr4f/sign-off---retire-the-jersey" ], "guest": "Andy Stern" }, { "date": "2006-10-04", "videos": [ "http://thecolbertreport.cc.com/videos/pi53om/intro---10-4-06", "http://thecolbertreport.cc.com/videos/t3hp8a/mark-foley-the-rino", "http://thecolbertreport.cc.com/videos/2n2oat/the-word---must-not-see-tv", "http://thecolbertreport.cc.com/videos/536mbt/nobel-prize-sweep", "http://thecolbertreport.cc.com/videos/ga8yja/green-screen-challenge---d-d", "http://thecolbertreport.cc.com/videos/ps5fh4/byron-dorgan", "http://thecolbertreport.cc.com/videos/vbbgif/-20-million-victory-party" ], "guest": "Byron Dorgan" }, { "date": "2006-10-05", "videos": [ "http://thecolbertreport.cc.com/videos/r5fn7m/intro---10-5-06", "http://thecolbertreport.cc.com/videos/t7lg5x/handling-sex-scandals", "http://thecolbertreport.cc.com/videos/2pcxy7/behavioral-profiling", "http://thecolbertreport.cc.com/videos/6qs8dt/maz-jobrani", "http://thecolbertreport.cc.com/videos/8vhk9f/better-know-a-district---florida-s-16th---mark-foley", "http://thecolbertreport.cc.com/videos/cg4ud6/amy-goodman", "http://thecolbertreport.cc.com/videos/mex37x/starbucks-price-hike" ], "guest": "Amy Goodman" }, { "date": "2006-10-09", "videos": [ "http://thecolbertreport.cc.com/videos/uz4y5r/intro---10-9-06", "http://thecolbertreport.cc.com/videos/vcdu14/stephen-greets-kim-jong-il", "http://thecolbertreport.cc.com/videos/94jsyv/the-word---safety", "http://thecolbertreport.cc.com/videos/oqybt6/sport-report---saginaw-spirit-3-0-with-steagle-colbeagle", "http://thecolbertreport.cc.com/videos/sxcbbt/randy-newman" ], "guest": "Randy Newman" }, { "date": "2006-10-10", "videos": [ "http://thecolbertreport.cc.com/videos/7x9ixq/a-salute-to-the-american-lady", "http://thecolbertreport.cc.com/videos/2jugk2/stephen-r-a-p-s----gender-issues", "http://thecolbertreport.cc.com/videos/tab5oc/jane-fonda-and-gloria-steinem", "http://thecolbertreport.cc.com/videos/vglnl3/ariel-levy", "http://thecolbertreport.cc.com/videos/6ooly1/sign-off---mrs--colbert" ], "guest": "Ariel Levy" }, { "date": "2006-10-11", "videos": [ "http://thecolbertreport.cc.com/videos/m063rn/intro---10-11-06", "http://thecolbertreport.cc.com/videos/bmktr8/shout-out----from-baghdad-to-the-report", "http://thecolbertreport.cc.com/videos/lbop8f/stephen-cashes-in", "http://thecolbertreport.cc.com/videos/kpo74v/green-screen-challenge---the-final-cut", "http://thecolbertreport.cc.com/videos/fxyspp/green-screen-challenge---the-finalists", "http://thecolbertreport.cc.com/videos/n67d6e/green-screen-challenge---the-winner", "http://thecolbertreport.cc.com/videos/pkbxv2/tek-jansen---space-station-theta-zeus-aquarius", "http://thecolbertreport.cc.com/videos/8hq3dq/lightsaber-duel", "http://thecolbertreport.cc.com/videos/nkr8wo/green-screen---george-lucas" ], "guest": "Andrew Sullivan" }, { "date": "2006-10-12", "videos": [ "http://thecolbertreport.cc.com/videos/d5jz3y/exclusive---better-know-a-challenger---new-jersey-s-4th---carol-gay", "http://thecolbertreport.cc.com/videos/yw8t41/intro---10-12-06", "http://thecolbertreport.cc.com/videos/dikrto/congratulatory-mail", "http://thecolbertreport.cc.com/videos/9dfgke/north-korean-weapons-test-scare", "http://thecolbertreport.cc.com/videos/htaz1s/gay-republicans---andrew-sullivan", "http://thecolbertreport.cc.com/videos/gtnan5/better-know-a-challenger---new-jersey-s-4th---carol-gay", "http://thecolbertreport.cc.com/videos/f57spg/brian-schweitzer", "http://thecolbertreport.cc.com/videos/o1sfrf/sign-off---revved-up" ], "guest": "Larry Miller" }, { "date": "2006-10-16", "videos": [ "http://thecolbertreport.cc.com/videos/plp18s/intro---10-16-06", "http://thecolbertreport.cc.com/videos/q81oyv/bush-impersonator-impersonator", "http://thecolbertreport.cc.com/videos/3yuat5/cbgb-s", "http://thecolbertreport.cc.com/videos/7i1kaz/the-word---russian-dolls", "http://thecolbertreport.cc.com/videos/rxjbs7/tip-wag---midterm-elections-edition", "http://thecolbertreport.cc.com/videos/2he8tk/barry-scheck", "http://thecolbertreport.cc.com/videos/xuvjmp/the-wave" ], "guest": "Barry Scheck" }, { "date": "2006-10-17", "videos": [ "http://thecolbertreport.cc.com/videos/ae5ru6/intro---10-17-06", "http://thecolbertreport.cc.com/videos/fo3bt3/one-year-anniversary", "http://thecolbertreport.cc.com/videos/r8tksi/descending-screen", "http://thecolbertreport.cc.com/videos/18nq18/the-word---irreconcilable-differences", "http://thecolbertreport.cc.com/videos/hlfrbf/anniversary-cake", "http://thecolbertreport.cc.com/videos/is87vo/judge-tubbs", "http://thecolbertreport.cc.com/videos/7fe2ut/richard-dawkins", "http://thecolbertreport.cc.com/videos/g41j5d/second-year-portrait" ], "guest": "Richard Dawkins" }, { "date": "2006-10-18", "videos": [ "http://thecolbertreport.cc.com/videos/nm42tm/intro---10-18-06", "http://thecolbertreport.cc.com/videos/szo4co/elephant-vasectomies", "http://thecolbertreport.cc.com/videos/bl7nra/the-word---sherlock", "http://thecolbertreport.cc.com/videos/jpgqk0/jeopardy", "http://thecolbertreport.cc.com/videos/wu6d7x/sport-report---smack-talk", "http://thecolbertreport.cc.com/videos/0usw0u/david-kuo", "http://thecolbertreport.cc.com/videos/pun0an/santorum-s-iraqi-lord-of-the-rings" ], "guest": "Deepak Chopra" }, { "date": "2006-10-19", "videos": [ "http://thecolbertreport.cc.com/videos/63h5y0/exclusive---better-know-a-challenger---new-york-s-19th---john-hall", "http://thecolbertreport.cc.com/videos/simwwd/intro---10-19-06", "http://thecolbertreport.cc.com/videos/zzoxmj/ebay-portrait-bid", "http://thecolbertreport.cc.com/videos/55o9xl/jim-gilchrist", "http://thecolbertreport.cc.com/videos/eh02b8/better-know-a-challenger---new-york-s-19th---john-hall", "http://thecolbertreport.cc.com/videos/484q7z/peter-agre" ], "guest": "Matthew Dowd" }, { "date": "2006-10-30", "videos": [ "http://thecolbertreport.cc.com/videos/xsr78j/intro---10-30-06", "http://thecolbertreport.cc.com/videos/501yrw/get-ready-for-barry", "http://thecolbertreport.cc.com/videos/fokcta/stay-the-course", "http://thecolbertreport.cc.com/videos/2ffwy9/the-word---shameless", "http://thecolbertreport.cc.com/videos/3644s2/threatdown---greatdown", "http://thecolbertreport.cc.com/videos/h5ly2o/barry-manilow" ], "guest": "Barry Manilow" }, { "date": "2006-10-31", "videos": [ "http://thecolbertreport.cc.com/videos/vll3lh/intro---10-31-06", "http://thecolbertreport.cc.com/videos/ixb36k/costumes-for-the-girls", "http://thecolbertreport.cc.com/videos/qrw2en/the-word---thanks--gays-", "http://thecolbertreport.cc.com/videos/ya17xq/portrait-auction", "http://thecolbertreport.cc.com/videos/crxtpi/welcome-to-the-house-of-horrors---nancy-pelosi", "http://thecolbertreport.cc.com/videos/2g6dhj/tim-robbins", "http://thecolbertreport.cc.com/videos/9z7u1s/freak-show---log-cabin-republican" ], "guest": "Tim Robbins" }, { "date": "2006-11-01", "videos": [ "http://thecolbertreport.cc.com/videos/fio9x5/exclusive---better-know-a-challenger---california-s-30th---david-nelson-jones", "http://thecolbertreport.cc.com/videos/ngeqml/intro---11-1-06", "http://thecolbertreport.cc.com/videos/07l6jg/john-kerry", "http://thecolbertreport.cc.com/videos/5a62pu/the-word---rip-off", "http://thecolbertreport.cc.com/videos/j449s5/better-know-a-challenger---california-s-30th---david-nelson-jones", "http://thecolbertreport.cc.com/videos/80bjyk/penn-jillette", "http://thecolbertreport.cc.com/videos/7w23zw/big-in--06" ], "guest": "Penn Jillette" }, { "date": "2006-11-02", "videos": [ "http://thecolbertreport.cc.com/videos/c1jp7z/intro---11-2-06", "http://thecolbertreport.cc.com/videos/ryl8xd/a-historidocufictiomentary-of-george-allen", "http://thecolbertreport.cc.com/videos/ypv3hz/p-k--winsome---black-republican", "http://thecolbertreport.cc.com/videos/e8pbai/sport-report---the-spirit-shop", "http://thecolbertreport.cc.com/videos/o5x0ja/chad-walldorf--portrait-winner", "http://thecolbertreport.cc.com/videos/vchsrw/ron-reagan" ], "guest": "Ron Reagan Jr." }, { "date": "2006-11-06", "videos": [ "http://thecolbertreport.cc.com/videos/5l9ww2/intro---11-6-06", "http://thecolbertreport.cc.com/videos/3x1o1e/saddam-s-hanging", "http://thecolbertreport.cc.com/videos/mfycn0/vote-your-conscience", "http://thecolbertreport.cc.com/videos/xjsetj/the-word---happy-ending", "http://thecolbertreport.cc.com/videos/yu4stw/ted-haggard-s-media-field-day", "http://thecolbertreport.cc.com/videos/qtoavw/what-to-expect-when-you-re-electing", "http://thecolbertreport.cc.com/videos/de4hy0/mark-halperin", "http://thecolbertreport.cc.com/videos/iuqlez/absentee-voting" ], "guest": "Mark Halperin" }, { "date": "2006-11-07", "videos": [ "http://thecolbertreport.cc.com/videos/rdhken/midterm-midtacular---beatty---bening-confirmation-call", "http://thecolbertreport.cc.com/videos/vmt5dv/better-know-a-district---midterm-midtacular", "http://thecolbertreport.cc.com/videos/42n9bh/midterm-midtacular---update-from-the-daily-show", "http://thecolbertreport.cc.com/videos/gmknl3/midterm-midtacular---democrat-majority", "http://thecolbertreport.cc.com/videos/1qhm06/stephen-s-final-thoughts", "http://thecolbertreport.cc.com/videos/3fzd37/robert-wexler-and-eleanor-holmes-norton" ], "guest": "Election Night Live Show" }, { "date": "2006-11-08", "videos": [ "http://thecolbertreport.cc.com/videos/veyf2a/intro---11-8-06", "http://thecolbertreport.cc.com/videos/0085n8/the-word---sigh", "http://thecolbertreport.cc.com/videos/8tjdnz/better-know-a-district---new-york-s-19th---john-hall", "http://thecolbertreport.cc.com/videos/n1c32a/tek-jansen---theme-song", "http://thecolbertreport.cc.com/videos/vzb4w6/jeff-greenfield", "http://thecolbertreport.cc.com/videos/3yplp6/special-memories" ], "guest": "Jeff Greenfield" }, { "date": "2006-11-09", "videos": [ "http://thecolbertreport.cc.com/videos/vsle8s/intro---11-9-06", "http://thecolbertreport.cc.com/videos/ec6t9w/shout-out----michael-rehm", "http://thecolbertreport.cc.com/videos/0osdbo/the-word---putin--08", "http://thecolbertreport.cc.com/videos/ro28cv/p-k--winsome---a-journey-home", "http://thecolbertreport.cc.com/videos/sff21j/dean-kamen", "http://thecolbertreport.cc.com/videos/y6jo9b/sign-off---buy-american" ], "guest": "Dean Kamen" }, { "date": "2006-11-13", "videos": [ "http://thecolbertreport.cc.com/videos/xhi69f/intro---11-13-06", "http://thecolbertreport.cc.com/videos/tq9pyg/mccain-s-depression", "http://thecolbertreport.cc.com/videos/wze0m8/the-word---back-off--old-man", "http://thecolbertreport.cc.com/videos/3l0etr/tip-wag---quitters-edition", "http://thecolbertreport.cc.com/videos/v04ko8/dan-rather", "http://thecolbertreport.cc.com/videos/39thdv/alpha-dog-of-the-week---ronald-reagan" ], "guest": "Dan Rather" }, { "date": "2006-11-14", "videos": [ "http://thecolbertreport.cc.com/videos/2xysq8/intro---10-14-06", "http://thecolbertreport.cc.com/videos/41uzjx/lesbian-roles", "http://thecolbertreport.cc.com/videos/njn4f1/stephen-jr--in-canada", "http://thecolbertreport.cc.com/videos/x9bnw7/the-word---expecting", "http://thecolbertreport.cc.com/videos/mx7sjh/vote-for-gail-jingle", "http://thecolbertreport.cc.com/videos/xokq2b/jeff-swartz", "http://thecolbertreport.cc.com/videos/cnxqlb/kid-activity-corner---nancy-pelosi-hand-turkeys" ], "guest": "Jeff Swartz" }, { "date": "2006-11-15", "videos": [ "http://thecolbertreport.cc.com/videos/9sc11a/exclusive---better-know-a-founder---thomas-jefferson", "http://thecolbertreport.cc.com/videos/2xysq8/intro---10-14-06", "http://thecolbertreport.cc.com/videos/41uzjx/lesbian-roles", "http://thecolbertreport.cc.com/videos/njn4f1/stephen-jr--in-canada", "http://thecolbertreport.cc.com/videos/x9bnw7/the-word---expecting", "http://thecolbertreport.cc.com/videos/mx7sjh/vote-for-gail-jingle", "http://thecolbertreport.cc.com/videos/xokq2b/jeff-swartz", "http://thecolbertreport.cc.com/videos/cnxqlb/kid-activity-corner---nancy-pelosi-hand-turkeys" ], "guest": "Al Franken, Dr. Michael Novacek" }, { "date": "2006-11-15", "videos": [ "http://thecolbertreport.cc.com/videos/zmp3r0/intro---11-15-06", "http://thecolbertreport.cc.com/videos/kl1xl0/rush-limbaugh-s-comments", "http://thecolbertreport.cc.com/videos/w5bgh2/democrats--victory-dance---al-franken", "http://thecolbertreport.cc.com/videos/47a505/better-know-a-founder---thomas-jefferson", "http://thecolbertreport.cc.com/videos/cnf5lf/mike-novacek" ], "guest": "Al Franken, Dr. Michael Novacek" }, { "date": "2006-11-16", "videos": [ "http://thecolbertreport.cc.com/videos/hstabl/intro---11-16-06", "http://thecolbertreport.cc.com/videos/zyzp0g/minority-whip", "http://thecolbertreport.cc.com/videos/euzyuf/sexiest-man-alive", "http://thecolbertreport.cc.com/videos/olggdr/the-word---play-ball-", "http://thecolbertreport.cc.com/videos/oplysq/movies-that-are-destroying-america---xmas", "http://thecolbertreport.cc.com/videos/3il1eo/richard-linklater", "http://thecolbertreport.cc.com/videos/s716ap/sign-off---strawberry" ], "guest": "Richard Linklater" }, { "date": "2006-11-27", "videos": [ "http://thecolbertreport.cc.com/videos/1xjoh6/intro---11-27-06", "http://thecolbertreport.cc.com/videos/z4h5jm/putin--08", "http://thecolbertreport.cc.com/videos/k3p09y/tivo-cleaning", "http://thecolbertreport.cc.com/videos/dg34l1/the-word---jacksquat", "http://thecolbertreport.cc.com/videos/ckqxms/threatdown---100-hoops", "http://thecolbertreport.cc.com/videos/lqdkhe/jim-lehrer", "http://thecolbertreport.cc.com/videos/y3zgee/sign-off---love" ], "guest": "Jim Lehrer" }, { "date": "2006-11-28", "videos": [ "http://thecolbertreport.cc.com/videos/0tspod/intro---11-28-06", "http://thecolbertreport.cc.com/videos/47xxe1/who-s-honoring-me-now----gq", "http://thecolbertreport.cc.com/videos/voj40k/the-word---ecu-menace", "http://thecolbertreport.cc.com/videos/fenw0v/alabama-miracle---helen-keller-museum", "http://thecolbertreport.cc.com/videos/xi41md/harry-shearer", "http://thecolbertreport.cc.com/videos/iate4s/sign-off---exceptional-audience" ], "guest": "Harry Shearer" }, { "date": "2006-11-29", "videos": [ "http://thecolbertreport.cc.com/videos/mr063e/intro---11-29-06", "http://thecolbertreport.cc.com/videos/wanzdw/who-s-riding-my-coattails-now----jeopardy", "http://thecolbertreport.cc.com/videos/bp43w6/the-word---killing-two-birds", "http://thecolbertreport.cc.com/videos/49jjmd/alabama-miracle---the-stephen-colbert-museum---gift-shop--grand-opening", "http://thecolbertreport.cc.com/videos/8rjs2g/nora-ephron" ], "guest": "Nora Ephron" }, { "date": "2006-11-30", "videos": [ "http://thecolbertreport.cc.com/videos/wzpzqs/intro---11-30-06", "http://thecolbertreport.cc.com/videos/4c2tdv/vilsack-attack", "http://thecolbertreport.cc.com/videos/z88s3n/p-k--winsome---if-p-k--winsome-did-it", "http://thecolbertreport.cc.com/videos/0inrmr/colbert-nation-merchandise", "http://thecolbertreport.cc.com/videos/jotybg/alabama-miracle---the-morning-after", "http://thecolbertreport.cc.com/videos/hv1lim/mike-lupica", "http://thecolbertreport.cc.com/videos/k1wdp2/sign-off---wall-notch" ], "guest": "Mike Lupica" }, { "date": "2006-12-04", "videos": [ "http://thecolbertreport.cc.com/videos/9s5cs9/intro---12-4-06", "http://thecolbertreport.cc.com/videos/ozd0a8/sherman-wedding", "http://thecolbertreport.cc.com/videos/sjup2k/the-word---american-orthodox", "http://thecolbertreport.cc.com/videos/shtpb9/tip-wag---christmas", "http://thecolbertreport.cc.com/videos/tc5d1m/will-wright", "http://thecolbertreport.cc.com/videos/xpx8ua/sign-off---extra-special-comment---tie-stain" ], "guest": "Will Wright" }, { "date": "2006-12-05", "videos": [ "http://thecolbertreport.cc.com/videos/z40k91/intro---12-5-06", "http://thecolbertreport.cc.com/videos/6ixmt6/-return--to-the-moon", "http://thecolbertreport.cc.com/videos/mz0h4p/robert-gates--confirmation", "http://thecolbertreport.cc.com/videos/msrwcg/the-word---honest-injun", "http://thecolbertreport.cc.com/videos/3odbkp/sport-report---coach-mancini", "http://thecolbertreport.cc.com/videos/tjdbeu/sign-off---number-one-source", "http://thecolbertreport.cc.com/videos/c1sa92/steven-levitt" ], "guest": "Steven D. Leavitt" }, { "date": "2006-12-06", "videos": [ "http://thecolbertreport.cc.com/videos/fe08hq/intro---12-6-06", "http://thecolbertreport.cc.com/videos/oamjbp/life-size-nativity", "http://thecolbertreport.cc.com/videos/ikcmp0/mary-cheney", "http://thecolbertreport.cc.com/videos/4fr9o9/the-word---words", "http://thecolbertreport.cc.com/videos/76wnkt/tek-jansen---tek-the-halls", "http://thecolbertreport.cc.com/videos/0wqkww/john-sexton", "http://thecolbertreport.cc.com/videos/8suoui/sign-off---cardboard-box" ], "guest": "John Sexton" }, { "date": "2006-12-07", "videos": [ "http://thecolbertreport.cc.com/videos/k9wcbv/intro---12-7-06", "http://thecolbertreport.cc.com/videos/ebabt9/david-gregory", "http://thecolbertreport.cc.com/videos/kvccyn/the-word---case-closed", "http://thecolbertreport.cc.com/videos/tk750r/elizabeth-de-la-vega", "http://thecolbertreport.cc.com/videos/dntxcy/green-screen-challenge---counter-challenge", "http://thecolbertreport.cc.com/videos/4koanp/alpha-dog-of-the-week---john-bolton", "http://thecolbertreport.cc.com/videos/dqyz7h/francis-collins", "http://thecolbertreport.cc.com/videos/rqe98q/sign-off---tgit" ], "guest": "Dr. Francis S. Collins" }, { "date": "2006-12-11", "videos": [ "http://thecolbertreport.cc.com/videos/ri4vbo/intro---12-11-06", "http://thecolbertreport.cc.com/videos/t0abnh/defending-rosie", "http://thecolbertreport.cc.com/videos/uea9ov/jack-kingston", "http://thecolbertreport.cc.com/videos/k0a3hu/the-white-christmas-album", "http://thecolbertreport.cc.com/videos/2cea2e/threatdown---christmas-style", "http://thecolbertreport.cc.com/videos/bqpkoy/peter-singer", "http://thecolbertreport.cc.com/videos/5alg6c/got-your-back" ], "guest": "Dr. Peter Singer" }, { "date": "2006-12-12", "videos": [ "http://thecolbertreport.cc.com/videos/35u0ts/intro---12-12-06", "http://thecolbertreport.cc.com/videos/kn0mlp/augusto-pinochet-s-coup", "http://thecolbertreport.cc.com/videos/dctycd/shout-out----beef-hammer-flag", "http://thecolbertreport.cc.com/videos/1o4xvk/the-word---casualty-of-war", "http://thecolbertreport.cc.com/videos/e1504w/who-s-honoring-me-now----merriam-webster-s-word-of-the-year", "http://thecolbertreport.cc.com/videos/xd9itr/better-know-a-district---new-members-of-congress-at-the-kennedy-school", "http://thecolbertreport.cc.com/videos/j01zz1/dan-savage", "http://thecolbertreport.cc.com/videos/s3gs7u/sign-off---post-show-taco-bell-chalupa-chow-down" ], "guest": "Dan Savage" }, { "date": "2006-12-13", "videos": [ "http://thecolbertreport.cc.com/videos/6ohkja/intro---12-13-06", "http://thecolbertreport.cc.com/videos/yl018s/stephen-jr--s-christmas-miracle", "http://thecolbertreport.cc.com/videos/suc40d/the-word---it-s-a-small-world", "http://thecolbertreport.cc.com/videos/5uk9gs/replenishing-the-eggnog-supply", "http://thecolbertreport.cc.com/videos/d0ml1u/sea-tac-s-christmas-trees-restored", "http://thecolbertreport.cc.com/videos/x1f8dg/doris-kearns-goodwin", "http://thecolbertreport.cc.com/videos/0kcywr/charge-me-twice-for-stephen" ], "guest": "Doris Kearns Goodwin" }, { "date": "2006-12-14", "videos": [ "http://thecolbertreport.cc.com/videos/lwojc9/intro---12-14-06", "http://thecolbertreport.cc.com/videos/3moulc/finger-strengthening", "http://thecolbertreport.cc.com/videos/5dvej7/the-american-people-are-to-blame", "http://thecolbertreport.cc.com/videos/60ds73/the-word---clarity", "http://thecolbertreport.cc.com/videos/klp05i/blood-in-the-water---bruce-tinsley-s-dui", "http://thecolbertreport.cc.com/videos/wauy3f/caesar-honeybee-or-tyrone-hunnibi-", "http://thecolbertreport.cc.com/videos/yaoen5/daniel-pinchbeck", "http://thecolbertreport.cc.com/videos/ua9gte/letter-to-representative-jack-kingston" ], "guest": "Daniel Pinchbeck" }, { "date": "2006-12-18", "videos": [ "http://thecolbertreport.cc.com/videos/t66x66/intro---12-18-06", "http://thecolbertreport.cc.com/videos/j56gn9/diy-cold-medicine", "http://thecolbertreport.cc.com/videos/ndrsqu/profiles-in-balls", "http://thecolbertreport.cc.com/videos/mv0dai/the-word---the-draft", "http://thecolbertreport.cc.com/videos/c4vji3/tip-wag---art-edition", "http://thecolbertreport.cc.com/videos/nnpc32/jack-welch", "http://thecolbertreport.cc.com/videos/yy82av/the-jingle-terns" ], "guest": "Jack Welch" }, { "date": "2006-12-19", "videos": [ "http://thecolbertreport.cc.com/videos/an4q7j/intro---12-19-06", "http://thecolbertreport.cc.com/videos/q9o6sw/person-of-the-year", "http://thecolbertreport.cc.com/videos/qh5kz9/stephen-goes-to-harvard", "http://thecolbertreport.cc.com/videos/v81egv/deepak-chopra", "http://thecolbertreport.cc.com/videos/3fhkpv/face-off-preview", "http://thecolbertreport.cc.com/videos/kza2d8/the-word---tit-for-tat" ], "guest": "Deepak Chopra" }, { "date": "2006-12-20", "videos": [ "http://thecolbertreport.cc.com/videos/ouau0r/intro---12-20-06", "http://thecolbertreport.cc.com/videos/8t5vas/rock-and-awe--countdown-to-guitarmageddon", "http://thecolbertreport.cc.com/videos/lyahfg/shreddown", "http://thecolbertreport.cc.com/videos/iocz1g/chris-funk", "http://thecolbertreport.cc.com/videos/4hpbzt/peter-frampton", "http://thecolbertreport.cc.com/videos/m75mj9/shreddown---the-judgment" ], "guest": "Howard Zinn" } ], "2007": [ { "date": "2007-01-08", "videos": [ "http://thecolbertreport.cc.com/videos/35rb23/intro---1-8-07", "http://thecolbertreport.cc.com/videos/liauyt/the-gallotastic-executacular---hangin--with-mr--hussein", "http://thecolbertreport.cc.com/videos/2eciiy/the-word---facts", "http://thecolbertreport.cc.com/videos/vfxu06/who-s-attacking-me-now----lake-superior-state-university", "http://thecolbertreport.cc.com/videos/ya0sji/who-s-honoring-me-now----gay-com", "http://thecolbertreport.cc.com/videos/uuhxlg/stephen-s-sound-advice---surviving-the-winter-blues", "http://thecolbertreport.cc.com/videos/duytly/ethan-nadelmann" ], "guest": "Ethan Nadelmann" }, { "date": "2007-01-09", "videos": [ "http://thecolbertreport.cc.com/videos/oxq1cl/not-a-sex-scandal", "http://thecolbertreport.cc.com/videos/rsuyoo/intro---1-9-07", "http://thecolbertreport.cc.com/videos/a9e13e/the-word---texas-hold--em", "http://thecolbertreport.cc.com/videos/bmmv86/ohio-state-loses", "http://thecolbertreport.cc.com/videos/1yhdmp/we-the-mediator---celebrity-feuds", "http://thecolbertreport.cc.com/videos/ezqjm4/jim-cramer", "http://thecolbertreport.cc.com/videos/q6rkb3/sign-off---farewell--james-brown" ], "guest": "Jim Cramer" }, { "date": "2007-01-10", "videos": [ "http://thecolbertreport.cc.com/videos/b3d5l1/intro---1-10-07", "http://thecolbertreport.cc.com/videos/j5htgu/president-s-speech", "http://thecolbertreport.cc.com/videos/crgbvq/invasion-of-the-country-snatchers", "http://thecolbertreport.cc.com/videos/ie5gtu/the-word---worry", "http://thecolbertreport.cc.com/videos/048s3c/tek-jansen---hounds-of-hell--ragtime-billy-peaches", "http://thecolbertreport.cc.com/videos/ku9y06/david-kamp", "http://thecolbertreport.cc.com/videos/9nuye7/sign-off---thawing-meat" ], "guest": "David Kamp" }, { "date": "2007-01-11", "videos": [ "http://thecolbertreport.cc.com/videos/21xsg9/intro---1-11-07", "http://thecolbertreport.cc.com/videos/nhwjcd/what-number-is-stephen-thinking-of----doubled-up", "http://thecolbertreport.cc.com/videos/7v6i3c/ken-roth", "http://thecolbertreport.cc.com/videos/jxfsrm/tip-wag---science-and-technology", "http://thecolbertreport.cc.com/videos/fxnp1o/judy-woodruff" ], "guest": "Judy Woodruff" }, { "date": "2007-01-15", "videos": [ "http://thecolbertreport.cc.com/videos/tpjoll/intro---1-15-07", "http://thecolbertreport.cc.com/videos/bemyqb/inspired-by-dr--king", "http://thecolbertreport.cc.com/videos/ni7g5j/a-man-s-touch", "http://thecolbertreport.cc.com/videos/xb55y0/the-word---victory-", "http://thecolbertreport.cc.com/videos/eamlaf/bears---balls---gas", "http://thecolbertreport.cc.com/videos/o7xhwp/alex-kuczynski" ], "guest": "Alex Kuczynski" }, { "date": "2007-01-16", "videos": [ "http://thecolbertreport.cc.com/videos/795pdp/intro---1-16-07", "http://thecolbertreport.cc.com/videos/ycpx4s/squeaky-chair", "http://thecolbertreport.cc.com/videos/r7kinv/pesos-for-pizza", "http://thecolbertreport.cc.com/videos/hwlhus/the-word---symbolic", "http://thecolbertreport.cc.com/videos/6q6sy0/sport-report---bend-it-like-beckham", "http://thecolbertreport.cc.com/videos/2tdkm8/dinesh-d-souza" ], "guest": "Dinesh D'Souza" }, { "date": "2007-01-17", "videos": [ "http://thecolbertreport.cc.com/videos/ufcy26/intro---1-17-07", "http://thecolbertreport.cc.com/videos/8amkmh/200th-episode", "http://thecolbertreport.cc.com/videos/wjuko4/lynn-swann", "http://thecolbertreport.cc.com/videos/xv8tlv/better-know-a-district---washington-s-3rd---brian-baird", "http://thecolbertreport.cc.com/videos/1qdsbp/richard-clarke" ], "guest": "Richard Clarke" }, { "date": "2007-01-18", "videos": [ "http://thecolbertreport.cc.com/videos/z0tcp1/intro---1-18-07", "http://thecolbertreport.cc.com/videos/kyc2cd/the-advent-of-o-reilly", "http://thecolbertreport.cc.com/videos/qtrfgo/the-word---go-it-alone", "http://thecolbertreport.cc.com/videos/dre6df/we-the-mediator---trump-v--o-donnell", "http://thecolbertreport.cc.com/videos/9seimt/bill-o-reilly", "http://thecolbertreport.cc.com/videos/cuouel/o-reilly-s-microwave" ], "guest": "Bill O'Reilly" }, { "date": "2007-01-22", "videos": [ "http://thecolbertreport.cc.com/videos/9vl9tx/intro---1-22-07", "http://thecolbertreport.cc.com/videos/1t56vq/the-bears", "http://thecolbertreport.cc.com/videos/itbxtv/who-s-riding-my-coattails-now----terence-koh", "http://thecolbertreport.cc.com/videos/mfzk22/the-word---exact-words", "http://thecolbertreport.cc.com/videos/opisk9/balls-for-kidz---gambling", "http://thecolbertreport.cc.com/videos/rnd3lf/tom-schaller", "http://thecolbertreport.cc.com/videos/6mgw6m/sign-off---zeppelin-reunion" ], "guest": "Tom Schaller" }, { "date": "2007-01-23", "videos": [ "http://thecolbertreport.cc.com/videos/xjsnlx/intro---1-23-07", "http://thecolbertreport.cc.com/videos/ebff8o/pre-tape", "http://thecolbertreport.cc.com/videos/vm00zm/lieber-vs--lieber", "http://thecolbertreport.cc.com/videos/jv328p/threatdown---the-weather-channel", "http://thecolbertreport.cc.com/videos/y849ls/michael-steele", "http://thecolbertreport.cc.com/videos/xxwpqf/wednesday-today" ], "guest": "Michael Steele" }, { "date": "2007-01-24", "videos": [ "http://thecolbertreport.cc.com/videos/goh39c/intro---1-24-07", "http://thecolbertreport.cc.com/videos/gzqy8i/state-of-the-union---cheney-wins", "http://thecolbertreport.cc.com/videos/e17mq9/the-word---great-news", "http://thecolbertreport.cc.com/videos/3525mn/better-know-a-district---pennsylvania-s-4th---jason-altmire", "http://thecolbertreport.cc.com/videos/r5j10b/lou-dobbs" ], "guest": "Lou Dobbs" }, { "date": "2007-01-25", "videos": [ "http://thecolbertreport.cc.com/videos/n139mj/intro---1-25-07", "http://thecolbertreport.cc.com/videos/7z0x1m/right-away-", "http://thecolbertreport.cc.com/videos/5rmbin/the-word---smafu", "http://thecolbertreport.cc.com/videos/hkzk11/sport-report---more-with-coach-mancini", "http://thecolbertreport.cc.com/videos/tufln6/mike-wallace" ], "guest": "Mike Wallace" }, { "date": "2007-01-29", "videos": [ "http://thecolbertreport.cc.com/videos/o0maxx/intro---1-29-07", "http://thecolbertreport.cc.com/videos/1m6mdm/new-york-grieves", "http://thecolbertreport.cc.com/videos/z0b9vz/stephen-colbert-day", "http://thecolbertreport.cc.com/videos/6p6df7/the-word---wikilobbying", "http://thecolbertreport.cc.com/videos/11js13/tip-wag---tom-cruise", "http://thecolbertreport.cc.com/videos/zqi973/barry-lando" ], "guest": "Barry M. Lando" }, { "date": "2007-01-30", "videos": [ "http://thecolbertreport.cc.com/videos/np3o3k/intro---1-30-07", "http://thecolbertreport.cc.com/videos/j1sd5a/new-military-weapon", "http://thecolbertreport.cc.com/videos/cv6q8o/david-leonhardt", "http://thecolbertreport.cc.com/videos/ttzs6x/caviar-omelets-for-the-troops", "http://thecolbertreport.cc.com/videos/bsbad5/judge--jury---executioner---adultery", "http://thecolbertreport.cc.com/videos/eyhp38/donna-shalala", "http://thecolbertreport.cc.com/videos/dwv24s/sign-off---microwave-gift-to-o-reilly" ], "guest": "Donna Shalala" }, { "date": "2007-01-31", "videos": [ "http://thecolbertreport.cc.com/videos/84e6zh/exclusive---better-know-a-district---new-york-s-6th---gregory-meeks", "http://thecolbertreport.cc.com/videos/4mp2yh/intro---1-31-07", "http://thecolbertreport.cc.com/videos/v1la3q/global-warming", "http://thecolbertreport.cc.com/videos/3emlxq/on-notice---jane-fonda-fantasies", "http://thecolbertreport.cc.com/videos/qg7l5c/the-word---black-sheep", "http://thecolbertreport.cc.com/videos/4lodkc/better-know-a-district---new-york-s-6th---gregory-meeks", "http://thecolbertreport.cc.com/videos/npjb41/jed-babbin" ], "guest": "Jed Babbin" }, { "date": "2007-02-01", "videos": [ "http://thecolbertreport.cc.com/videos/89lmed/intro---2-1-07", "http://thecolbertreport.cc.com/videos/mzq0ue/cartoon-terrorism", "http://thecolbertreport.cc.com/videos/492fjx/ending-racism", "http://thecolbertreport.cc.com/videos/rbb68f/the-word---we-shall-overcome", "http://thecolbertreport.cc.com/videos/2m3ntu/movies-that-are-destroying-america---oscars-edition", "http://thecolbertreport.cc.com/videos/s2k3ll/chuck-schumer", "http://thecolbertreport.cc.com/videos/b1j62r/the-most-poetic-f--king-thing-i-ve-ever-heard" ], "guest": "Sen. Chuck Schumer" }, { "date": "2007-02-05", "videos": [ "http://thecolbertreport.cc.com/videos/qonzal/intro---2-5-07", "http://thecolbertreport.cc.com/videos/raqy45/peyton-manseed", "http://thecolbertreport.cc.com/videos/1ppbxw/save-stephen-jr-", "http://thecolbertreport.cc.com/videos/pkx5sp/the-word---second-opinion", "http://thecolbertreport.cc.com/videos/cu6q1h/threatdown---giant-mexican-babies", "http://thecolbertreport.cc.com/videos/qj7ov5/wendy-kopp" ], "guest": "Wendy Kopp" }, { "date": "2007-02-06", "videos": [ "http://thecolbertreport.cc.com/videos/irg0ck/exclusive---better-know-a-district---ohio-s-18th---zack-space-pt--1", "http://thecolbertreport.cc.com/videos/7vpqnl/exclusive---better-know-a-district---ohio-s-18th---zack-space-pt--2", "http://thecolbertreport.cc.com/videos/w05aan/intro---2-6-07", "http://thecolbertreport.cc.com/videos/rirgzz/pray-for-stephen", "http://thecolbertreport.cc.com/videos/ronvu0/the-word---making-a-killing", "http://thecolbertreport.cc.com/videos/sh2kz6/better-know-a-district---ohio-s-18th---zack-space", "http://thecolbertreport.cc.com/videos/vnbq6e/charles-leduff" ], "guest": "Charlie LeDuff" }, { "date": "2007-02-07", "videos": [ "http://thecolbertreport.cc.com/videos/lh3p6z/intro---2-7-07", "http://thecolbertreport.cc.com/videos/skowle/the-san-francisco-treat", "http://thecolbertreport.cc.com/videos/hx3kkt/california-values-watch", "http://thecolbertreport.cc.com/videos/fykjnf/the-word---silence", "http://thecolbertreport.cc.com/videos/pp2kiz/tek-jansen---from-the-future", "http://thecolbertreport.cc.com/videos/n36pgb/steven-pinker" ], "guest": "Steven Pinker" }, { "date": "2007-02-08", "videos": [ "http://thecolbertreport.cc.com/videos/5l6ygo/intro---2-8-07", "http://thecolbertreport.cc.com/videos/btxrus/space-madness", "http://thecolbertreport.cc.com/videos/q5bcg9/stephen-for-president---a-sign", "http://thecolbertreport.cc.com/videos/12d71h/debra-dickerson", "http://thecolbertreport.cc.com/videos/ls3y3l/was-it-really-that-bad----salem-witch-trials", "http://thecolbertreport.cc.com/videos/m5tx4f/chris-hedges" ], "guest": "Chris Hedges" }, { "date": "2007-02-12", "videos": [ "http://thecolbertreport.cc.com/videos/sudz5h/intro---2-12-07", "http://thecolbertreport.cc.com/videos/cvs0b4/the-word---inappropriate", "http://thecolbertreport.cc.com/videos/wetex5/tip-wag---john-howard", "http://thecolbertreport.cc.com/videos/ovmu6y/michael-oppenheimer", "http://thecolbertreport.cc.com/videos/gbc95s/alpha-dog-of-the-week---amitabh-bachchan" ], "guest": "Michael Oppenheimer" }, { "date": "2007-02-13", "videos": [ "http://thecolbertreport.cc.com/videos/7zlyvc/the-word---apocalypse-mao--murdered-by-the-orient-s-success---frenemy", "http://thecolbertreport.cc.com/videos/dh1nxa/apocalypse-mao--murdered-by-the-orient-s-success---take-the-pulse", "http://thecolbertreport.cc.com/videos/cbgmhg/sheryl-wudunn", "http://thecolbertreport.cc.com/videos/rewkbj/apocalypse-mao--murdered-by-the-orient-s-success---eight-child-policy" ], "guest": "Sheryl WuDunn" }, { "date": "2007-02-14", "videos": [ "http://thecolbertreport.cc.com/videos/0unos7/catching-up-with-china", "http://thecolbertreport.cc.com/videos/sv6om5/safe-sex-for-senior-citizens", "http://thecolbertreport.cc.com/videos/qngp8d/the-word---bad-medicine", "http://thecolbertreport.cc.com/videos/e7leqz/stephen-protects-valentine-s-day", "http://thecolbertreport.cc.com/videos/npsgvg/sport-report---westminster-kennel-club-dog-show", "http://thecolbertreport.cc.com/videos/tv0pg5/lance-armstrong", "http://thecolbertreport.cc.com/videos/4zrnjn/intro---2-14-07" ], "guest": "Lance Armstrong" }, { "date": "2007-02-15", "videos": [ "http://thecolbertreport.cc.com/videos/bemh6r/intro---2-15-07", "http://thecolbertreport.cc.com/videos/5h0hc1/the-365-most-influential-cultural-figures-of-2007---j-j--abrams", "http://thecolbertreport.cc.com/videos/dv94hn/helen-thomas-s-chair", "http://thecolbertreport.cc.com/videos/xsukru/the-365-most-influential-cultural-figures-of-2007---candice-bergen", "http://thecolbertreport.cc.com/videos/gxjtk4/better-know-a-district---arkansas--2nd---vic-snyder", "http://thecolbertreport.cc.com/videos/htsqly/shashi-tharoor" ], "guest": "Shashi Tharoor" }, { "date": "2007-02-26", "videos": [ "http://thecolbertreport.cc.com/videos/7kzllg/intro---2-26-07", "http://thecolbertreport.cc.com/videos/6q3fey/the-word---success", "http://thecolbertreport.cc.com/videos/liy97p/stephen-s-sound-advice---avoiding-humiliation-on-the-campaign-trail", "http://thecolbertreport.cc.com/videos/rj64v2/zev-chafets", "http://thecolbertreport.cc.com/videos/lto66u/sign-off---the-stupidest-person-in-the-world" ], "guest": "Zev Chafets" }, { "date": "2007-02-27", "videos": [ "http://thecolbertreport.cc.com/videos/m6llmb/intro---2-27-07", "http://thecolbertreport.cc.com/videos/4q8yqr/gore-s-garbage", "http://thecolbertreport.cc.com/videos/08vl33/the-word---recoil", "http://thecolbertreport.cc.com/videos/kyuvud/dead-to-me---raptors", "http://thecolbertreport.cc.com/videos/a5eovz/tip-wag---bilk", "http://thecolbertreport.cc.com/videos/xtu2o9/craig-venter" ], "guest": "Dr. Craig Venter" }, { "date": "2007-02-28", "videos": [ "http://thecolbertreport.cc.com/videos/k64d0x/intro---2-28-07", "http://thecolbertreport.cc.com/videos/94efgl/david-geffen-the-intern-", "http://thecolbertreport.cc.com/videos/ax1yhn/obama-vs--colbert", "http://thecolbertreport.cc.com/videos/2j1fug/profiles-in-quitters---tom-vilsack", "http://thecolbertreport.cc.com/videos/2w1ttr/problems-without-solutions--stay-at-home-dads", "http://thecolbertreport.cc.com/videos/rjcwpq/nina-jablonski" ], "guest": "Nina Jablonski" }, { "date": "2007-03-01", "videos": [ "http://thecolbertreport.cc.com/videos/uvhlbh/intro---3-1-07", "http://thecolbertreport.cc.com/videos/dnoicn/jesus--1-", "http://thecolbertreport.cc.com/videos/09pfnw/the-word---bury-the-lead", "http://thecolbertreport.cc.com/videos/xp8ghf/better-know-a-district---tennessee-s-9th---steve-cohen", "http://thecolbertreport.cc.com/videos/hdb72u/larry-king", "http://thecolbertreport.cc.com/videos/din9ey/sign-off---all-the-time" ], "guest": "Larry King" }, { "date": "2007-03-05", "videos": [ "http://thecolbertreport.cc.com/videos/s5zpws/intro---3-5-07", "http://thecolbertreport.cc.com/videos/f0veng/stop-the-war-in-congress", "http://thecolbertreport.cc.com/videos/9rmkm6/ben-and-jerry---introducing-americone-dream", "http://thecolbertreport.cc.com/videos/erco0p/bears---balls---bees", "http://thecolbertreport.cc.com/videos/w9i285/mara-vanderslice", "http://thecolbertreport.cc.com/videos/u5x46t/sign-off---you-get-a-pint-" ], "guest": "Mara Vanderslice, Ben and Jerry" }, { "date": "2007-03-06", "videos": [ "http://thecolbertreport.cc.com/videos/jokvk3/intro---3-6-07", "http://thecolbertreport.cc.com/videos/987dug/stephen-wins-the-lottery", "http://thecolbertreport.cc.com/videos/5xpqn0/libby-verdict", "http://thecolbertreport.cc.com/videos/yjwisn/the-word---wwjd", "http://thecolbertreport.cc.com/videos/ryt5zt/threatdown---cheney-s-clot", "http://thecolbertreport.cc.com/videos/d9k0w9/mark-frauenfelder" ], "guest": "Mark Frauenfelder" }, { "date": "2007-03-07", "videos": [ "http://thecolbertreport.cc.com/videos/t3l2qk/intro---3-7-07", "http://thecolbertreport.cc.com/videos/o5rj01/mega-millions", "http://thecolbertreport.cc.com/videos/f4wilr/the-word---don-t", "http://thecolbertreport.cc.com/videos/mw47n3/easter-under-attack---bunny", "http://thecolbertreport.cc.com/videos/k8n6ln/michael-spector", "http://thecolbertreport.cc.com/videos/eu60l7/sign-off---colbert-savings-time" ], "guest": "Michael Specter" }, { "date": "2007-03-08", "videos": [ "http://thecolbertreport.cc.com/videos/hdanpb/exclusive---better-know-a-district---kentucky-s-3rd---john-yarmuth-pt--1", "http://thecolbertreport.cc.com/videos/1fsr4r/exclusive---better-know-a-district---kentucky-s-3rd---john-yarmuth-pt--2", "http://thecolbertreport.cc.com/videos/v9pxbp/intro---3-8-07", "http://thecolbertreport.cc.com/videos/fkezkh/jesus-libby", "http://thecolbertreport.cc.com/videos/kf01z4/the-word---comic-justice", "http://thecolbertreport.cc.com/videos/gfi7dr/better-know-a-district---kentucky-s-3rd---john-yarmuth", "http://thecolbertreport.cc.com/videos/na2cwe/ted-koppel" ], "guest": "Ted Koppel" }, { "date": "2007-03-12", "videos": [ "http://thecolbertreport.cc.com/videos/eoubiy/intro---3-12-07", "http://thecolbertreport.cc.com/videos/cxle7m/newt-gingrich-s-extramarital-affair", "http://thecolbertreport.cc.com/videos/qs3d07/the-word---home-field-advantage", "http://thecolbertreport.cc.com/videos/rp8fy7/tip-wag---u-s--mint", "http://thecolbertreport.cc.com/videos/0z68wk/nicholas-kristof", "http://thecolbertreport.cc.com/videos/paedah/sign-off---captain-america-shield" ], "guest": "Nicholas D. Kristof" }, { "date": "2007-03-13", "videos": [ "http://thecolbertreport.cc.com/videos/3gv9du/intro---3-13-07", "http://thecolbertreport.cc.com/videos/n1695w/time-travel", "http://thecolbertreport.cc.com/videos/o93g04/willie-nelson-s-cobbler", "http://thecolbertreport.cc.com/videos/aln9gt/donald-shields", "http://thecolbertreport.cc.com/videos/nebseq/four-horsemen-of-the-a-pop-calypse---300", "http://thecolbertreport.cc.com/videos/pajwaw/michael-eric-dyson", "http://thecolbertreport.cc.com/videos/goeagu/the-word---goodnight" ], "guest": "Michael Eric Dyson" }, { "date": "2007-03-14", "videos": [ "http://thecolbertreport.cc.com/videos/gjg322/intro---3-14-07", "http://thecolbertreport.cc.com/videos/mi3odp/when-ancestors-attack---barack-obama", "http://thecolbertreport.cc.com/videos/jdieqt/the-word---high-fidelity", "http://thecolbertreport.cc.com/videos/6t5ydk/rocky-mountain-high", "http://thecolbertreport.cc.com/videos/xy5mon/sport-report---ncaa", "http://thecolbertreport.cc.com/videos/3w6h8k/ed-viesturs", "http://thecolbertreport.cc.com/videos/x40idi/sign-off---united-we-lick" ], "guest": "Ed Viesturs" }, { "date": "2007-03-15", "videos": [ "http://thecolbertreport.cc.com/videos/3yjwcu/exclusive---better-know-a-district---illinois--17th---phil-hare-pt--1", "http://thecolbertreport.cc.com/videos/l2j89r/exclusive---better-know-a-district---illinois--17th---phil-hare-pt--2", "http://thecolbertreport.cc.com/videos/gjg322/intro---3-14-07", "http://thecolbertreport.cc.com/videos/mi3odp/when-ancestors-attack---barack-obama", "http://thecolbertreport.cc.com/videos/jdieqt/the-word---high-fidelity", "http://thecolbertreport.cc.com/videos/6t5ydk/rocky-mountain-high", "http://thecolbertreport.cc.com/videos/xy5mon/sport-report---ncaa", "http://thecolbertreport.cc.com/videos/3w6h8k/ed-viesturs", "http://thecolbertreport.cc.com/videos/x40idi/sign-off---united-we-lick" ], "guest": "Ayaan Hirsi Ali" }, { "date": "2007-03-15", "videos": [ "http://thecolbertreport.cc.com/videos/in8gsh/intro---3-15-07", "http://thecolbertreport.cc.com/videos/ojcmho/st--patrick-s-day", "http://thecolbertreport.cc.com/videos/9wsh6f/better-know-a-district---illinois--17th---phil-hare", "http://thecolbertreport.cc.com/videos/pvxlng/ayaan-hirsi-ali", "http://thecolbertreport.cc.com/videos/nfjx5l/sign-off---candy" ], "guest": "Ayaan Hirsi Ali" }, { "date": "2007-03-19", "videos": [ "http://thecolbertreport.cc.com/videos/akdm39/intro---3-19-07", "http://thecolbertreport.cc.com/videos/zfhuml/emanuel-attacks-stephen", "http://thecolbertreport.cc.com/videos/ichd6m/the-word---pound-of-flesh", "http://thecolbertreport.cc.com/videos/ovsoy3/willie-nelson-tomorrow", "http://thecolbertreport.cc.com/videos/i34oa7/threatdown---seniors", "http://thecolbertreport.cc.com/videos/nby1fe/jerome-groopman", "http://thecolbertreport.cc.com/videos/woj3kf/alpha-dog-of-the-week---pennies" ], "guest": "Jerome Groopman" }, { "date": "2007-03-20", "videos": [ "http://thecolbertreport.cc.com/videos/nepea4/intro---3-20-07", "http://thecolbertreport.cc.com/videos/p3nkju/willie-recall", "http://thecolbertreport.cc.com/videos/8w2rhi/the-word---supernatural", "http://thecolbertreport.cc.com/videos/4fyygp/threatdown---polar-bear-cub", "http://thecolbertreport.cc.com/videos/rn79kl/stephen-colbert-day---honor", "http://thecolbertreport.cc.com/videos/fxdmt0/willie-nelson" ], "guest": "Willie Nelson" }, { "date": "2007-03-21", "videos": [ "http://thecolbertreport.cc.com/videos/b4r6li/intro---3-21-07", "http://thecolbertreport.cc.com/videos/r7dj9j/stephen-s-stoned-friend", "http://thecolbertreport.cc.com/videos/wyig4v/impeach-bush", "http://thecolbertreport.cc.com/videos/js464k/the-word---sex", "http://thecolbertreport.cc.com/videos/6b13mn/better-know-a-district---new-york-s-22nd---maurice-hinchey", "http://thecolbertreport.cc.com/videos/4jygnv/benjamin-barber", "http://thecolbertreport.cc.com/videos/psro3f/sign-off---goodnights" ], "guest": "Benjamin Barber" }, { "date": "2007-03-22", "videos": [ "http://thecolbertreport.cc.com/videos/rf90w7/intro---3-22-07", "http://thecolbertreport.cc.com/videos/yic3o0/infomosexual-graphics", "http://thecolbertreport.cc.com/videos/ez9npn/eleanor-holmes-norton", "http://thecolbertreport.cc.com/videos/xgjo8q/face-reading-expert", "http://thecolbertreport.cc.com/videos/pd3hdf/sport-report---ncaa-final-four", "http://thecolbertreport.cc.com/videos/i2wwym/katie-couric", "http://thecolbertreport.cc.com/videos/k6m8na/sign-off---future" ], "guest": "Katie Couric" }, { "date": "2007-03-26", "videos": [ "http://thecolbertreport.cc.com/videos/k1iiew/intro---3-26-07", "http://thecolbertreport.cc.com/videos/t9n8i2/mummy", "http://thecolbertreport.cc.com/videos/t7x0xg/torture-gonzales", "http://thecolbertreport.cc.com/videos/hc58hq/for-your-editing-pleasure", "http://thecolbertreport.cc.com/videos/r6ez6r/stephen-colbert-day", "http://thecolbertreport.cc.com/videos/a19udk/john-perry-barlow", "http://thecolbertreport.cc.com/videos/dc5qfy/sign-off---photo-op" ], "guest": "John Perry Barlow" }, { "date": "2007-03-27", "videos": [ "http://thecolbertreport.cc.com/videos/9hzwxa/intro---3-2707", "http://thecolbertreport.cc.com/videos/ct77qc/sean-penn-unleashes-on-president-bush", "http://thecolbertreport.cc.com/videos/y05sqg/madeleine-albright", "http://thecolbertreport.cc.com/videos/ac6sto/tip-wag---drug-dealers", "http://thecolbertreport.cc.com/videos/z3a4ow/james-fallows" ], "guest": "Madeleine Albright, James Fallows" }, { "date": "2007-03-28", "videos": [ "http://thecolbertreport.cc.com/videos/c3lbed/intro---3-28-07", "http://thecolbertreport.cc.com/videos/8b58j1/dancing-with-the-stars", "http://thecolbertreport.cc.com/videos/eoe8d4/claim-to-the-arctic", "http://thecolbertreport.cc.com/videos/e6rbbg/the-word---monkey-business", "http://thecolbertreport.cc.com/videos/7t7l7y/the-axis-of-evil-of-the-week", "http://thecolbertreport.cc.com/videos/oval1w/jabari-asim", "http://thecolbertreport.cc.com/videos/tffkup/sign-off---going-to-bed-angry" ], "guest": "Jabari Asim" }, { "date": "2007-03-29", "videos": [ "http://thecolbertreport.cc.com/videos/82ki4g/intro---3-29-07", "http://thecolbertreport.cc.com/videos/yp03mv/equal-rights", "http://thecolbertreport.cc.com/videos/bwtu8b/strolling-in-baghdad", "http://thecolbertreport.cc.com/videos/m1iokb/the-word---lemon-raid", "http://thecolbertreport.cc.com/videos/rmylpg/alpha-dog-of-the-week---toby", "http://thecolbertreport.cc.com/videos/dune0v/nightgown-novel-model", "http://thecolbertreport.cc.com/videos/gp6vcm/clive-james", "http://thecolbertreport.cc.com/videos/cnmwu7/sign-off---it-s-been-real" ], "guest": "Clive James" }, { "date": "2007-04-09", "videos": [ "http://thecolbertreport.cc.com/videos/2secqi/intro---4-9-07", "http://thecolbertreport.cc.com/videos/c2ss4c/end-of-lent", "http://thecolbertreport.cc.com/videos/jdh0qr/colin-beavan", "http://thecolbertreport.cc.com/videos/p1vkhv/ethnic-slurs", "http://thecolbertreport.cc.com/videos/uyodpo/formula-401k", "http://thecolbertreport.cc.com/videos/d7vjve/katrina-vanden-heuvel", "http://thecolbertreport.cc.com/videos/vx3kr4/sign-off---goodnight--ladies" ], "guest": "Colin Beavan, Katrina vanden Heuvel" }, { "date": "2007-04-10", "videos": [ "http://thecolbertreport.cc.com/videos/gqey9e/intro---4-10-07", "http://thecolbertreport.cc.com/videos/t52s2y/stiff-upper-lip", "http://thecolbertreport.cc.com/videos/7xhdfc/the-word---hip-replacement", "http://thecolbertreport.cc.com/videos/a6j19l/stephen-s-racial-slurs", "http://thecolbertreport.cc.com/videos/mmtey6/bears---balls---home", "http://thecolbertreport.cc.com/videos/niryzs/jeannette-walls", "http://thecolbertreport.cc.com/videos/tjfkfk/the-apology" ], "guest": "Jeannette Walls" }, { "date": "2007-04-11", "videos": [ "http://thecolbertreport.cc.com/videos/ikived/intro---4-11-07", "http://thecolbertreport.cc.com/videos/rndpay/the-great-turtle-race", "http://thecolbertreport.cc.com/videos/o57n2d/the-word---season-pass", "http://thecolbertreport.cc.com/videos/y3z7pz/anna-nicole-s-baby-daddy", "http://thecolbertreport.cc.com/videos/qk7xuu/sport-report---spirit-loses", "http://thecolbertreport.cc.com/videos/6ombuy/vali-nasr", "http://thecolbertreport.cc.com/videos/py0zro/sign-off---not-literally" ], "guest": "Vali Nasr" }, { "date": "2007-04-12", "videos": [ "http://thecolbertreport.cc.com/videos/tvo9j1/intro---4-12-07", "http://thecolbertreport.cc.com/videos/44wpo2/the-pope-and-iraq", "http://thecolbertreport.cc.com/videos/i2w6da/the-word---body-armor", "http://thecolbertreport.cc.com/videos/rp5qr3/a-girl-for-stephen-jr-", "http://thecolbertreport.cc.com/videos/szc2kp/dr--richard-land", "http://thecolbertreport.cc.com/videos/z4a9cf/sign-off---french-canadian-viewers" ], "guest": "Dr. Richard Land" }, { "date": "2007-04-16", "videos": [ "http://thecolbertreport.cc.com/videos/opgo7c/intro---4-16-07", "http://thecolbertreport.cc.com/videos/ow68vg/mope-retraction", "http://thecolbertreport.cc.com/videos/ndyxmi/the-metaphor-off-is-on", "http://thecolbertreport.cc.com/videos/fiwckw/the-word---clean-slate", "http://thecolbertreport.cc.com/videos/vsf7vy/paulina-likes-stephen", "http://thecolbertreport.cc.com/videos/le9tdo/alpha-dog-of-the-week---paul-wolfowitz", "http://thecolbertreport.cc.com/videos/yq2yld/sign-off---fondest-memories", "http://thecolbertreport.cc.com/videos/1dnqiw/john-kerry" ], "guest": "Sen. John Kerry" }, { "date": "2007-04-17", "videos": [ "http://thecolbertreport.cc.com/videos/35u6vo/metaphor-off-training", "http://thecolbertreport.cc.com/videos/ctnp41/turtle-race-update", "http://thecolbertreport.cc.com/videos/k0gjix/the-word---plan-b", "http://thecolbertreport.cc.com/videos/1ca1nf/tip-wag---fake-sperm", "http://thecolbertreport.cc.com/videos/ofyxod/elaine-pagels", "http://thecolbertreport.cc.com/videos/ka39h6/sign-off---stephen-s-taxes", "http://thecolbertreport.cc.com/videos/28ne1f/intro---4-17-07" ], "guest": "Elaine Pagels" }, { "date": "2007-04-18", "videos": [ "http://thecolbertreport.cc.com/videos/xjlfa3/intro---4-18-07", "http://thecolbertreport.cc.com/videos/z7yfgh/who-s-not-honoring-me-now----pulitzer", "http://thecolbertreport.cc.com/videos/y8uyv4/the-word---branding", "http://thecolbertreport.cc.com/videos/d5i37n/national-library-week---frank-mccourt", "http://thecolbertreport.cc.com/videos/hr8hfi/milk---hormones", "http://thecolbertreport.cc.com/videos/edyu8c/national-library-week---sebastian-junger", "http://thecolbertreport.cc.com/videos/ebje1q/national-library-week---david-remnick", "http://thecolbertreport.cc.com/videos/33tv9j/paulina-porizkova", "http://thecolbertreport.cc.com/videos/tn0cbn/sign-off---upcoming-metaphor-off" ], "guest": "William Cohen" }, { "date": "2007-04-19", "videos": [ "http://thecolbertreport.cc.com/videos/wh0xf2/intro---4-19-07", "http://thecolbertreport.cc.com/videos/luoh3l/god-s-pet-chimp", "http://thecolbertreport.cc.com/videos/goj3np/the-word----400-haircut", "http://thecolbertreport.cc.com/videos/tv447i/sean-penn", "http://thecolbertreport.cc.com/videos/iowvf0/meta-free-phor-all--shall-i-nail-thee-to-a-summer-s-day-", "http://thecolbertreport.cc.com/videos/nzuytf/hyperbole-off" ], "guest": "Gov. Mike Huckabee" }, { "date": "2007-04-23", "videos": [ "http://thecolbertreport.cc.com/videos/e9s3wp/intro---4-23-07", "http://thecolbertreport.cc.com/videos/tuitvp/gonzales-forgot", "http://thecolbertreport.cc.com/videos/xgp7gj/stephanie-s-winning-", "http://thecolbertreport.cc.com/videos/bsgdkg/mike-huckabee---running-mate-bid", "http://thecolbertreport.cc.com/videos/mksggb/threatdown---myspace", "http://thecolbertreport.cc.com/videos/25567u/russell-simmons", "http://thecolbertreport.cc.com/videos/75z88c/colbert-nation-online-discussion-group" ], "guest": "Russell Simmons" }, { "date": "2007-04-24", "videos": [ "http://thecolbertreport.cc.com/videos/6edbk9/intro---4-24-07", "http://thecolbertreport.cc.com/videos/9lfdmb/bye-bye-to-boris", "http://thecolbertreport.cc.com/videos/zf1m9m/d-c--voting-rights---eleanor-holmes-norton", "http://thecolbertreport.cc.com/videos/zebgor/the-word---act-globally", "http://thecolbertreport.cc.com/videos/o4vs3o/60--good-news", "http://thecolbertreport.cc.com/videos/63paz7/alpha-dog-of-the-week---uncle-ben", "http://thecolbertreport.cc.com/videos/i6gv9q/dr--andrew-weil", "http://thecolbertreport.cc.com/videos/858p8x/sign-off---captain-lead" ], "guest": "Dr. Andrew Weil" }, { "date": "2007-04-25", "videos": [ "http://thecolbertreport.cc.com/videos/939oo7/intro---4-25-07", "http://thecolbertreport.cc.com/videos/9cksb2/dead-to-me---long-war", "http://thecolbertreport.cc.com/videos/uixydp/the-word---sacrifice", "http://thecolbertreport.cc.com/videos/xlgsnw/new-issue-of-gq", "http://thecolbertreport.cc.com/videos/vsu32z/four-horsemen-of-the-a-pop-calypse---prayer", "http://thecolbertreport.cc.com/videos/877wu4/david-walker", "http://thecolbertreport.cc.com/videos/dqbrsh/sign-off---promises" ], "guest": "David Walker" }, { "date": "2007-04-26", "videos": [ "http://thecolbertreport.cc.com/videos/uxgeoh/exclusive---better-know-a-protectorate---guam---madeleine-bordallo-pt--1", "http://thecolbertreport.cc.com/videos/nfu1lw/exclusive---better-know-a-protectorate---guam---madeleine-bordallo-pt--2", "http://thecolbertreport.cc.com/videos/tioqro/intro---4-26-07", "http://thecolbertreport.cc.com/videos/ph7bwx/stephanie-lost", "http://thecolbertreport.cc.com/videos/nn2tor/the-word---mending-wall", "http://thecolbertreport.cc.com/videos/7ibt5q/better-know-a-protectorate---guam---madeleine-bordallo", "http://thecolbertreport.cc.com/videos/wax9na/tom-wolfe", "http://thecolbertreport.cc.com/videos/4y1aqm/sign-off---yuri-kuklachev" ], "guest": "Tom Wolfe" }, { "date": "2007-04-30", "videos": [ "http://thecolbertreport.cc.com/videos/qiwo3g/intro---4-30-07", "http://thecolbertreport.cc.com/videos/hpmi3p/first-democratic-debate-for--08", "http://thecolbertreport.cc.com/videos/lv3s81/neil-degrasse-tyson", "http://thecolbertreport.cc.com/videos/o5hsha/tip-wag---shrek", "http://thecolbertreport.cc.com/videos/iwnuxq/bill-bradley" ], "guest": "Bill Bradley" }, { "date": "2007-05-01", "videos": [ "http://thecolbertreport.cc.com/videos/qd26kv/intro---5-1-07", "http://thecolbertreport.cc.com/videos/scarky/mitt-s-favorite-book", "http://thecolbertreport.cc.com/videos/oh320q/npr-correction", "http://thecolbertreport.cc.com/videos/q45jin/the-word---who-cares-", "http://thecolbertreport.cc.com/videos/cgfptc/stephen-s-horse", "http://thecolbertreport.cc.com/videos/m9pls7/malcolm-gladwell", "http://thecolbertreport.cc.com/videos/zj4aga/sign-off---lutefisk" ], "guest": "Malcolm Gladwell" }, { "date": "2007-05-02", "videos": [ "http://thecolbertreport.cc.com/videos/zxhw8e/intro---5-2-07", "http://thecolbertreport.cc.com/videos/vvfvju/hr-1591", "http://thecolbertreport.cc.com/videos/a3d8vy/the-word---better-safe-than-sorry", "http://thecolbertreport.cc.com/videos/oo27ij/mike-gravel", "http://thecolbertreport.cc.com/videos/u82od0/gina-kolata" ], "guest": "Gina Kolata" }, { "date": "2007-05-03", "videos": [ "http://thecolbertreport.cc.com/videos/33wl1k/exclusive---better-know-a-district---virginia-s-11th---tom-davis", "http://thecolbertreport.cc.com/videos/42iy2c/intro---5-3-07", "http://thecolbertreport.cc.com/videos/wsiuq8/battle-of-the-surfaces", "http://thecolbertreport.cc.com/videos/0wtt0d/the-word---the-unquisition", "http://thecolbertreport.cc.com/videos/2iymfl/better-know-a-district---virginia-s-11th---tom-davis", "http://thecolbertreport.cc.com/videos/6azbk5/conn-iggulden", "http://thecolbertreport.cc.com/videos/dblp9v/sign-off---impatiens" ], "guest": "Conn Iggulden" }, { "date": "2007-05-07", "videos": [ "http://thecolbertreport.cc.com/videos/re08sm/intro---5-7-07", "http://thecolbertreport.cc.com/videos/5ra6xp/bonjour--mon-frere", "http://thecolbertreport.cc.com/videos/o0gs8q/republican-debate---diversity", "http://thecolbertreport.cc.com/videos/ojz8he/the-word---the-intolerant", "http://thecolbertreport.cc.com/videos/x5zaaj/cheating-death---vaxadrin", "http://thecolbertreport.cc.com/videos/1i1xa2/richard-preston" ], "guest": "Richard Preston" }, { "date": "2007-05-08", "videos": [ "http://thecolbertreport.cc.com/videos/ah3swk/intro---5-8-07", "http://thecolbertreport.cc.com/videos/4vb9ha/shout-out----uss-rhode-island", "http://thecolbertreport.cc.com/videos/v2jrqr/the-word---rendered-moot", "http://thecolbertreport.cc.com/videos/bkd3bl/threatdown---oprah", "http://thecolbertreport.cc.com/videos/296em4/nassim-nicholas-taleb" ], "guest": "Nassim Nicholas Taleb" }, { "date": "2007-05-09", "videos": [ "http://thecolbertreport.cc.com/videos/bbia54/intro---5-9-07", "http://thecolbertreport.cc.com/videos/hs4hrn/mother-s-day", "http://thecolbertreport.cc.com/videos/01nwrp/formal-request", "http://thecolbertreport.cc.com/videos/ijt89t/salman-rushdie", "http://thecolbertreport.cc.com/videos/y81ejs/kiss-the-host", "http://thecolbertreport.cc.com/videos/4mwns0/thompson-fuss", "http://thecolbertreport.cc.com/videos/8ixf7m/jane-fonda", "http://thecolbertreport.cc.com/videos/bhwtjj/sign-off---bedtime-recipe" ], "guest": "Salman Rushdie, Jane Fonda" }, { "date": "2007-05-10", "videos": [ "http://thecolbertreport.cc.com/videos/h5fw40/intro---5-10-07", "http://thecolbertreport.cc.com/videos/5mohm3/the-word---illusion", "http://thecolbertreport.cc.com/videos/6mm58j/hometown-hero-town---naperville--il", "http://thecolbertreport.cc.com/videos/1yenb5/the-in-box---doctor-colbert", "http://thecolbertreport.cc.com/videos/ya8jd7/jann-wenner", "http://thecolbertreport.cc.com/videos/tbehsa/sign-off---time-capsule", "http://thecolbertreport.cc.com/videos/59lqle/he-s-singing-in-korean" ], "guest": "Jann Wenner" }, { "date": "2007-05-14", "videos": [ "http://thecolbertreport.cc.com/videos/q3z8ca/intro---5-14-07", "http://thecolbertreport.cc.com/videos/2wmvq0/ferrari-list", "http://thecolbertreport.cc.com/videos/ji8vnp/the-word---supporting-role", "http://thecolbertreport.cc.com/videos/62strl/tip-wag---mitt-romney", "http://thecolbertreport.cc.com/videos/324045/william-langewiesche", "http://thecolbertreport.cc.com/videos/70la8y/stealing-lincoln-s-body" ], "guest": "William Langewiesche" }, { "date": "2007-05-15", "videos": [ "http://thecolbertreport.cc.com/videos/458uob/intro---5-15-07", "http://thecolbertreport.cc.com/videos/0oyxpf/mcnulty-guilty", "http://thecolbertreport.cc.com/videos/c0yfoq/pasadena--india", "http://thecolbertreport.cc.com/videos/lda912/the-word---heated-debate", "http://thecolbertreport.cc.com/videos/7heoq8/bonus-wag---bush-graphic", "http://thecolbertreport.cc.com/videos/yqaslk/alpha-dog-of-the-week---michael-wiley", "http://thecolbertreport.cc.com/videos/q5o3oe/walter-isaacson", "http://thecolbertreport.cc.com/videos/3mglju/r-i-p--ted-maiman" ], "guest": "Walter Isaacson" }, { "date": "2007-05-16", "videos": [ "http://thecolbertreport.cc.com/videos/l9r090/intro---5-16-07", "http://thecolbertreport.cc.com/videos/9nd4g1/second-republican-debate", "http://thecolbertreport.cc.com/videos/lqz6xp/the-word---level-playing-field", "http://thecolbertreport.cc.com/videos/vb25tk/formidable-opponent---peanuts", "http://thecolbertreport.cc.com/videos/vd7dcd/howard-dean", "http://thecolbertreport.cc.com/videos/west8f/sign-off---name-of-city-here" ], "guest": "Howard Dean" }, { "date": "2007-05-17", "videos": [ "http://thecolbertreport.cc.com/videos/j0njxq/intro---5-17-07", "http://thecolbertreport.cc.com/videos/xbgufk/the-hammer-is-here-", "http://thecolbertreport.cc.com/videos/g57yti/baby-gun-permit", "http://thecolbertreport.cc.com/videos/wqfqxb/tom-delay", "http://thecolbertreport.cc.com/videos/nfhqh3/randy-kearse", "http://thecolbertreport.cc.com/videos/vz0202/sign-off---rafters" ], "guest": "Randy Kearse, Rep. Tom DeLay" }, { "date": "2007-05-21", "videos": [ "http://thecolbertreport.cc.com/videos/43r84a/intro---5-21-07", "http://thecolbertreport.cc.com/videos/j7bshe/god-loves-a-big-screen-tv", "http://thecolbertreport.cc.com/videos/s5odvt/presidential-fraternity", "http://thecolbertreport.cc.com/videos/w89fii/the-word---his-way", "http://thecolbertreport.cc.com/videos/zg6n7b/cheating-death---internal-decapitation", "http://thecolbertreport.cc.com/videos/zhetqf/jared-diamond" ], "guest": "Jared Diamond" }, { "date": "2007-05-22", "videos": [ "http://thecolbertreport.cc.com/videos/vn2u9p/intro---5-22-07", "http://thecolbertreport.cc.com/videos/pp3dmv/popularity-contest", "http://thecolbertreport.cc.com/videos/szr9pb/barack-s-a-liar", "http://thecolbertreport.cc.com/videos/4wuift/the-word---party-of-change", "http://thecolbertreport.cc.com/videos/7bglee/threatdown---environmentalists", "http://thecolbertreport.cc.com/videos/661huh/john-amaechi", "http://thecolbertreport.cc.com/videos/ivskf6/sign-off---lesson-forgotten" ], "guest": "John Amaechi" }, { "date": "2007-05-23", "videos": [ "http://thecolbertreport.cc.com/videos/pwwndq/intro---5-23-07", "http://thecolbertreport.cc.com/videos/ac7obb/bush-is-back-", "http://thecolbertreport.cc.com/videos/2t0qn4/illegal-immigration---bay-buchanan", "http://thecolbertreport.cc.com/videos/m6d100/threatdown---pellicano-", "http://thecolbertreport.cc.com/videos/0v2e97/bob-deans", "http://thecolbertreport.cc.com/videos/1kaqcp/sign-off---hi-def" ], "guest": "Bay Buchanan, Bob Deans" }, { "date": "2007-05-24", "videos": [ "http://thecolbertreport.cc.com/videos/fc4ao7/intro---5-24-07", "http://thecolbertreport.cc.com/videos/ihom0u/fleet-week", "http://thecolbertreport.cc.com/videos/5d38de/big-loud-flag", "http://thecolbertreport.cc.com/videos/oxz2g4/up-in-smoke", "http://thecolbertreport.cc.com/videos/brpu8j/better-know-a-district---arizona-s-7th---raul-grijalva", "http://thecolbertreport.cc.com/videos/vylxk3/jimmy-wales", "http://thecolbertreport.cc.com/videos/xj2s00/speaking-fee" ], "guest": "Jimmy Wales" }, { "date": "2007-06-04", "videos": [ "http://thecolbertreport.cc.com/videos/38wiug/intro---6-4-07", "http://thecolbertreport.cc.com/videos/oujnzk/uneventful-vacation", "http://thecolbertreport.cc.com/videos/5475j4/democratic-presidential-debate---venue", "http://thecolbertreport.cc.com/videos/3bhuju/jan-schakowsky", "http://thecolbertreport.cc.com/videos/svome1/better-know-a-district---illinois--9th---jan-schakowsky", "http://thecolbertreport.cc.com/videos/o9kyh0/leon-botstein", "http://thecolbertreport.cc.com/videos/kaun5v/sign-off---mardi-gras-mask" ], "guest": "Rep. Jan Schakowsky, Leon Botstein" }, { "date": "2007-06-05", "videos": [ "http://thecolbertreport.cc.com/videos/7sdcg5/intro---6-5-07", "http://thecolbertreport.cc.com/videos/cvm31h/you-ve-been-scootered-", "http://thecolbertreport.cc.com/videos/j3ieeu/yahoo-korea---rain", "http://thecolbertreport.cc.com/videos/8226p8/the-word---mission-control", "http://thecolbertreport.cc.com/videos/n0lk8c/the-god-machine-", "http://thecolbertreport.cc.com/videos/l7y8g1/when-animals-attack-our-morals---flamingos", "http://thecolbertreport.cc.com/videos/rsex2i/jessica-valenti" ], "guest": "Jessica Valenti" }, { "date": "2007-06-06", "videos": [ "http://thecolbertreport.cc.com/videos/jorp7o/intro---6-6-07", "http://thecolbertreport.cc.com/videos/h69756/sinner-edwards", "http://thecolbertreport.cc.com/videos/5mthf9/the-word---airogance", "http://thecolbertreport.cc.com/videos/cujedg/tip-wag---deep-purple", "http://thecolbertreport.cc.com/videos/ngt9bf/carl-bernstein", "http://thecolbertreport.cc.com/videos/xd82es/craziest-f--king-thing-i-ve-ever-heard---octopi" ], "guest": "Carl Bernstein" }, { "date": "2007-06-07", "videos": [ "http://thecolbertreport.cc.com/videos/b0xqmj/intro---6-7-07", "http://thecolbertreport.cc.com/videos/w1jmjp/pope-jump", "http://thecolbertreport.cc.com/videos/ovs97y/the-word---rodham", "http://thecolbertreport.cc.com/videos/tl388o/better-know-a-district---washington-s-9th---adam-smith", "http://thecolbertreport.cc.com/videos/ty2mfm/cullen-murphy", "http://thecolbertreport.cc.com/videos/sitbn5/sign-off---vomitorium" ], "guest": "Cullen Murphy" }, { "date": "2007-06-11", "videos": [ "http://thecolbertreport.cc.com/videos/1yiwr5/intro---6-11-07", "http://thecolbertreport.cc.com/videos/dufa3e/commencement-speeches", "http://thecolbertreport.cc.com/videos/2k0q1b/the-word---easy-a", "http://thecolbertreport.cc.com/videos/kd0cks/revenge-on-knox-college", "http://thecolbertreport.cc.com/videos/qrkfud/albania-greets-president-bush", "http://thecolbertreport.cc.com/videos/zpjdcg/michael-gershon" ], "guest": "Dr. Michael D. Gershon" }, { "date": "2007-06-12", "videos": [ "http://thecolbertreport.cc.com/videos/b08r7k/intro---6-12-07", "http://thecolbertreport.cc.com/videos/8dqxf0/bush-s-missing-watch", "http://thecolbertreport.cc.com/videos/sse01t/mr--dyachenko--tear-down-this-wall", "http://thecolbertreport.cc.com/videos/lhl8km/tommy-chong--commentator", "http://thecolbertreport.cc.com/videos/ey1hjm/mr--dyachenko--tear-down-this-watermelon", "http://thecolbertreport.cc.com/videos/2krcmy/colbert-platinum---butler-shortage", "http://thecolbertreport.cc.com/videos/gdyajn/josh-wolf", "http://thecolbertreport.cc.com/videos/r2b64h/mr--dyachenko--tear-me-off-a-piece-of-this-cake" ], "guest": "Josh Wolf" }, { "date": "2007-06-13", "videos": [ "http://thecolbertreport.cc.com/videos/onm1u4/intro---6-13-07", "http://thecolbertreport.cc.com/videos/fytk75/ruined-anniversary", "http://thecolbertreport.cc.com/videos/6nklj9/freezing-cold-case-files--otzi", "http://thecolbertreport.cc.com/videos/tnydpx/the-word---pathophysiology", "http://thecolbertreport.cc.com/videos/2bu2sn/threatdown---robots", "http://thecolbertreport.cc.com/videos/o2ywub/ron-paul", "http://thecolbertreport.cc.com/videos/cakp5s/sign-off---crispy-deliciousness" ], "guest": "Rep. Ron Paul" }, { "date": "2007-06-14", "videos": [ "http://thecolbertreport.cc.com/videos/oa9gd7/intro---6-14-07", "http://thecolbertreport.cc.com/videos/6uc0h1/fred-thompson-on-fire", "http://thecolbertreport.cc.com/videos/g52jco/stephen-benjamin", "http://thecolbertreport.cc.com/videos/0agktt/bears---balls---summer-vacation-edition", "http://thecolbertreport.cc.com/videos/a0p792/daniel-b--smith", "http://thecolbertreport.cc.com/videos/llk3nk/sign-off---the-land-of-nod" ], "guest": "Daniel B. Smith" }, { "date": "2007-06-18", "videos": [ "http://thecolbertreport.cc.com/videos/rwup1e/intro---6-18-07", "http://thecolbertreport.cc.com/videos/k3t99j/papal-encounter", "http://thecolbertreport.cc.com/videos/rbx9fh/the-price-is-right", "http://thecolbertreport.cc.com/videos/w0pe9q/the-word---mcconaughey", "http://thecolbertreport.cc.com/videos/yfclcj/stephen-on-itunes", "http://thecolbertreport.cc.com/videos/7jalja/tip-wag---arnold-schwarzenegger", "http://thecolbertreport.cc.com/videos/ozfwje/toby-keith" ], "guest": "Toby Keith" }, { "date": "2007-06-19", "videos": [ "http://thecolbertreport.cc.com/videos/ndbsf6/intro---6-19-07", "http://thecolbertreport.cc.com/videos/qxyadz/secret-clapton-concert", "http://thecolbertreport.cc.com/videos/0y4kih/marybeth-garrigan", "http://thecolbertreport.cc.com/videos/mzxikb/countdown-to-armageddon", "http://thecolbertreport.cc.com/videos/ij3mgr/alpha-dog-of-the-week---robert-bork", "http://thecolbertreport.cc.com/videos/u1dk1e/anne-marie-slaughter", "http://thecolbertreport.cc.com/videos/kxk02d/sign-off---manifesto" ], "guest": "Harriet the Eagle with handler, Anne-Marie Slaughter" }, { "date": "2007-06-20", "videos": [ "http://thecolbertreport.cc.com/videos/jbdbyq/intro---6-20-07", "http://thecolbertreport.cc.com/videos/beccdu/bloomberg-for-president", "http://thecolbertreport.cc.com/videos/xe5j30/the-word---justice", "http://thecolbertreport.cc.com/videos/4yziuf/cheating-death---colgate", "http://thecolbertreport.cc.com/videos/7m9bgr/will-schwalbe", "http://thecolbertreport.cc.com/videos/glo9c6/sign-off---job-well-done" ], "guest": "Will Schwalbe" }, { "date": "2007-06-21", "videos": [ "http://thecolbertreport.cc.com/videos/um7qsm/intro---6-21-07", "http://thecolbertreport.cc.com/videos/psamg7/ron-paul-s-colbert-bump", "http://thecolbertreport.cc.com/videos/38xzef/difference-makers---tim-donnelly", "http://thecolbertreport.cc.com/videos/2oyfu8/vincent-bugliosi", "http://thecolbertreport.cc.com/videos/dlqbr6/sign-off---goodbye-to-mr--wizard", "http://thecolbertreport.cc.com/videos/35278z/the-word---porking" ], "guest": "Vincent Bugliosi" }, { "date": "2007-06-25", "videos": [ "http://thecolbertreport.cc.com/videos/wvrrio/intro---6-25-07", "http://thecolbertreport.cc.com/videos/xvrdq7/the-freegans", "http://thecolbertreport.cc.com/videos/dqezp0/the-word---fourth-branch", "http://thecolbertreport.cc.com/videos/oldt6o/threatdown---coral-reefs", "http://thecolbertreport.cc.com/videos/mhjtgw/tom-hayden", "http://thecolbertreport.cc.com/videos/5zivhy/sign-off---contract" ], "guest": "Tom Hayden" }, { "date": "2007-06-26", "videos": [ "http://thecolbertreport.cc.com/videos/2dxfpk/intro---6-26-07", "http://thecolbertreport.cc.com/videos/id2z8d/christmas-in-june", "http://thecolbertreport.cc.com/videos/eelu64/tony-blair-s-conversion", "http://thecolbertreport.cc.com/videos/tpff57/the-word---elsewhere", "http://thecolbertreport.cc.com/videos/0t819z/christmas-presents", "http://thecolbertreport.cc.com/videos/5awnum/alpha-dog-of-the-week---fred-thompson", "http://thecolbertreport.cc.com/videos/1uvv46/david-france", "http://thecolbertreport.cc.com/videos/96ew1f/sign-off---visions-of-sugarplums" ], "guest": "David France" }, { "date": "2007-06-27", "videos": [ "http://thecolbertreport.cc.com/videos/47zhcv/intro---6-27-07", "http://thecolbertreport.cc.com/videos/y34h2c/give-stephen-an-iphone", "http://thecolbertreport.cc.com/videos/wepdgq/tom-blanton", "http://thecolbertreport.cc.com/videos/f6in26/four-horsemen-of-the-a-pop-calypse---shaq", "http://thecolbertreport.cc.com/videos/msuhoe/daniel-gilbert" ], "guest": "Tom Blanton, Daniel Gilbert" }, { "date": "2007-06-28", "videos": [ "http://thecolbertreport.cc.com/videos/ftc2tr/intro---6-28-07", "http://thecolbertreport.cc.com/videos/2o9nj2/spot-the-difference", "http://thecolbertreport.cc.com/videos/kb8br0/civil-unrest-in-iran", "http://thecolbertreport.cc.com/videos/0lfyqf/the-word---profiles-in-timing", "http://thecolbertreport.cc.com/videos/owh6vd/colbert-platinum---luxury-car-wrecks", "http://thecolbertreport.cc.com/videos/f9y6wb/doug-bailey", "http://thecolbertreport.cc.com/videos/oxeeoj/sign-off---going-on-vacation" ], "guest": "Doug Bailey" }, { "date": "2007-07-16", "videos": [ "http://thecolbertreport.cc.com/videos/rsv8g9/intro---7-16-07", "http://thecolbertreport.cc.com/videos/bwablo/tunneling-to-free-scooter-libby", "http://thecolbertreport.cc.com/videos/lnroz7/richard-florida", "http://thecolbertreport.cc.com/videos/scrz03/difference-makers---johnna-mink", "http://thecolbertreport.cc.com/videos/r0qxf5/ben-nelson", "http://thecolbertreport.cc.com/videos/zabqma/sign-off---take-five" ], "guest": "Richard Florida, Sen. Ben Nelson" }, { "date": "2007-07-17", "videos": [ "http://thecolbertreport.cc.com/videos/cliw91/intro---7-17-07", "http://thecolbertreport.cc.com/videos/zl176l/all-night-senate-session", "http://thecolbertreport.cc.com/videos/depupc/the-word---victimcrite", "http://thecolbertreport.cc.com/videos/hdn59k/1-428-minutes-to-go", "http://thecolbertreport.cc.com/videos/gafa5t/tip-wag---michael-chertoff-s-gut-o-meter", "http://thecolbertreport.cc.com/videos/ev6dp9/mark-moffett", "http://thecolbertreport.cc.com/videos/1jb3qq/threatdown---500-threat-marathon" ], "guest": "Mark Moffett" }, { "date": "2007-07-18", "videos": [ "http://thecolbertreport.cc.com/videos/uf8wpk/intro---7-18-07", "http://thecolbertreport.cc.com/videos/gn1bt7/2007-filibustacular", "http://thecolbertreport.cc.com/videos/hqa77b/the-word---smiley-face", "http://thecolbertreport.cc.com/videos/ysfdjx/pope-goes-green", "http://thecolbertreport.cc.com/videos/artj1e/alpha-dog-of-the-week---david-beckham", "http://thecolbertreport.cc.com/videos/ga3vsc/john-mellencamp" ], "guest": "John Mellencamp" }, { "date": "2007-07-19", "videos": [ "http://thecolbertreport.cc.com/videos/19mw0q/intro---7-19-07", "http://thecolbertreport.cc.com/videos/1esv0i/republican-candidates--suffering", "http://thecolbertreport.cc.com/videos/a9zoea/michael-moore", "http://thecolbertreport.cc.com/videos/bn2nox/march-to-enslavement---stephen-gets-an-iphone", "http://thecolbertreport.cc.com/videos/9p0lhk/frank-sulloway", "http://thecolbertreport.cc.com/videos/qhp9z3/sign-off---length-of-the-show-contest" ], "guest": "Frank Sulloway" }, { "date": "2007-07-23", "videos": [ "http://thecolbertreport.cc.com/videos/nc8xh3/intro---7-23-07", "http://thecolbertreport.cc.com/videos/fkxqbr/stephen-s-fountain-of-youth", "http://thecolbertreport.cc.com/videos/4rqgp5/the-word---premium-package", "http://thecolbertreport.cc.com/videos/l0ig1p/colbert-platinum---private-submarines", "http://thecolbertreport.cc.com/videos/6e6gd1/simon-schama", "http://thecolbertreport.cc.com/videos/vfxa7p/sign-off---just-about-out-of-time" ], "guest": "Simon Schama" }, { "date": "2007-07-24", "videos": [ "http://thecolbertreport.cc.com/videos/15l5ov/intro---7-24-07", "http://thecolbertreport.cc.com/videos/d9v0fp/bush-s-butt", "http://thecolbertreport.cc.com/videos/nvdygh/the-word---modest-porpoisal", "http://thecolbertreport.cc.com/videos/e5420t/movies-that-are-destroying-america--chuck-and-larry", "http://thecolbertreport.cc.com/videos/yqgj2h/anthony-romero", "http://thecolbertreport.cc.com/videos/alsjeo/joining-the-illuminati" ], "guest": "Anthony D. Romero" }, { "date": "2007-07-25", "videos": [ "http://thecolbertreport.cc.com/videos/shyero/intro---7-25-07", "http://thecolbertreport.cc.com/videos/4md3eg/daily-kos", "http://thecolbertreport.cc.com/videos/ikcdyi/the-word---no-regrets", "http://thecolbertreport.cc.com/videos/bdjzxb/thompson-campaign", "http://thecolbertreport.cc.com/videos/bc0mf3/hometown-hero-town---bryce-canyon-city", "http://thecolbertreport.cc.com/videos/2f2r58/charles-kaiser" ], "guest": "Charles Kaiser" }, { "date": "2007-07-26", "videos": [ "http://thecolbertreport.cc.com/videos/wth3ve/intro---7-26-07", "http://thecolbertreport.cc.com/videos/3or3gc/how-did-stephen-break-his-wrist-", "http://thecolbertreport.cc.com/videos/if6h6s/industrial-hemp---medical-marijuana---aaron-houston", "http://thecolbertreport.cc.com/videos/8p2na8/advice-to-the-gods---nepalese-pre-teen-goddesses", "http://thecolbertreport.cc.com/videos/kcb6kk/bob-shrum" ], "guest": "Robert Shrum" }, { "date": "2007-07-30", "videos": [ "http://thecolbertreport.cc.com/videos/8m5y0f/intro---7-30-07", "http://thecolbertreport.cc.com/videos/tyo2os/wrist-violence---glorification", "http://thecolbertreport.cc.com/videos/9e0vz0/pollution-immigration", "http://thecolbertreport.cc.com/videos/brdooe/the-word---solidarity", "http://thecolbertreport.cc.com/videos/ii5xvp/threatdown---scottish-surgeons", "http://thecolbertreport.cc.com/videos/o55kxd/evan-osnos" ], "guest": "Evan Osnos" }, { "date": "2007-07-31", "videos": [ "http://thecolbertreport.cc.com/videos/01xv20/intro---7-31-07", "http://thecolbertreport.cc.com/videos/bgyn76/wrist-violence-epidemic", "http://thecolbertreport.cc.com/videos/aryder/smokin--pole---arc--who-goes-there-", "http://thecolbertreport.cc.com/videos/tg3umi/the-word---special-prosecutor", "http://thecolbertreport.cc.com/videos/egvqvt/rupert-murdoch-purchases-the-wall-street-journal", "http://thecolbertreport.cc.com/videos/i9cr44/sport-report---barry-bonds", "http://thecolbertreport.cc.com/videos/3tom79/kathleen-kennedy-townsend" ], "guest": "Kathleen Kennedy Townsend" }, { "date": "2007-08-01", "videos": [ "http://thecolbertreport.cc.com/videos/jtpqex/intro---8-1-07", "http://thecolbertreport.cc.com/videos/b8kbe8/dr--jerry-vizzone", "http://thecolbertreport.cc.com/videos/zd2nvn/the-word---college-credit", "http://thecolbertreport.cc.com/videos/nlqwhc/when-animals-attack-our-morals---hollywood-pigeons", "http://thecolbertreport.cc.com/videos/agisiu/michael-beschloss", "http://thecolbertreport.cc.com/videos/a0yv9l/30-minute-anniversary" ], "guest": "Michael Beschloss" }, { "date": "2007-08-02", "videos": [ "http://thecolbertreport.cc.com/videos/qjky5n/farewell-ingmar-bergman", "http://thecolbertreport.cc.com/videos/jtpqex/intro---8-1-07", "http://thecolbertreport.cc.com/videos/b8kbe8/dr--jerry-vizzone", "http://thecolbertreport.cc.com/videos/zd2nvn/the-word---college-credit", "http://thecolbertreport.cc.com/videos/nlqwhc/when-animals-attack-our-morals---hollywood-pigeons", "http://thecolbertreport.cc.com/videos/agisiu/michael-beschloss", "http://thecolbertreport.cc.com/videos/a0yv9l/30-minute-anniversary" ], "guest": "Michael J. Behe" }, { "date": "2007-08-02", "videos": [ "http://thecolbertreport.cc.com/videos/tqb1ek/intro---8-2-07", "http://thecolbertreport.cc.com/videos/4fa4lg/superhighway", "http://thecolbertreport.cc.com/videos/sg9xg3/rick-macarthur", "http://thecolbertreport.cc.com/videos/vc3b3c/thighmasters-for-the-troops", "http://thecolbertreport.cc.com/videos/ptvqa7/sport-report---barry-smash", "http://thecolbertreport.cc.com/videos/z81ulz/michael-behe" ], "guest": "Michael J. Behe" }, { "date": "2007-08-07", "videos": [ "http://thecolbertreport.cc.com/videos/7r677j/intro---8-7-07", "http://thecolbertreport.cc.com/videos/4kw9z4/yearly-kos-convention", "http://thecolbertreport.cc.com/videos/f3w2rh/the-word---the-dark-side", "http://thecolbertreport.cc.com/videos/zwnri3/better-know-a-protectorate---american-samoa---eni-faleomavaega", "http://thecolbertreport.cc.com/videos/d21xmf/ian-bogost", "http://thecolbertreport.cc.com/videos/kzlukl/sign-off---colbert-commonsensicals" ], "guest": "Ian Bogost" }, { "date": "2007-08-08", "videos": [ "http://thecolbertreport.cc.com/videos/4f7upv/intro---8-8-07", "http://thecolbertreport.cc.com/videos/oxms8d/wrist-watch---fighting-back", "http://thecolbertreport.cc.com/videos/jtqjr6/jim-cramer", "http://thecolbertreport.cc.com/videos/nveh3o/bears---balls---bootlegging", "http://thecolbertreport.cc.com/videos/7zavlx/tina-brown" ], "guest": "Jim Cramer, Tina Brown" }, { "date": "2007-08-09", "videos": [ "http://thecolbertreport.cc.com/videos/hutdl7/intro---8-9-07", "http://thecolbertreport.cc.com/videos/3abho5/the-word---clarity", "http://thecolbertreport.cc.com/videos/qp6xha/tip-wag---bloomberg", "http://thecolbertreport.cc.com/videos/h9y997/judd-apatow", "http://thecolbertreport.cc.com/videos/161mvg/sign-off---toenails" ], "guest": "Judd Apatow" }, { "date": "2007-08-13", "videos": [ "http://thecolbertreport.cc.com/videos/1833p0/intro---8-13-07", "http://thecolbertreport.cc.com/videos/gavjew/rove-resigns", "http://thecolbertreport.cc.com/videos/qu995y/the-word---white-guy", "http://thecolbertreport.cc.com/videos/bruhc9/threatdown---bats", "http://thecolbertreport.cc.com/videos/fk3k31/michael-jacobson", "http://thecolbertreport.cc.com/videos/dnjitq/sign-off---americone-dream" ], "guest": "Michael Jacobson" }, { "date": "2007-08-14", "videos": [ "http://thecolbertreport.cc.com/videos/0imzs4/dna--could-it-happen-to-you----jackknife", "http://thecolbertreport.cc.com/videos/n35y17/jerry-miller", "http://thecolbertreport.cc.com/videos/5o7ie1/dr--spencer-wells", "http://thecolbertreport.cc.com/videos/x03vyw/dna--could-it-happen-to-you----incrimination" ], "guest": "Jerry Miller, Spencer Wells" }, { "date": "2007-08-15", "videos": [ "http://thecolbertreport.cc.com/videos/6o4ihx/intro---8-15-07", "http://thecolbertreport.cc.com/videos/rv9k9s/jewish-colbert-ancestry", "http://thecolbertreport.cc.com/videos/3zlayh/markos-moulitsas", "http://thecolbertreport.cc.com/videos/6mvd9x/monkey-on-the-lam---oliver", "http://thecolbertreport.cc.com/videos/zp4iw7/the-word---potential", "http://thecolbertreport.cc.com/videos/734nxn/michael-wallis", "http://thecolbertreport.cc.com/videos/z4d4y4/sign-off---doctor-s-orders" ], "guest": "Michael Wallis" }, { "date": "2007-08-16", "videos": [ "http://thecolbertreport.cc.com/videos/ns0g26/intro---8-16-07", "http://thecolbertreport.cc.com/videos/14jprr/colbert-branson-trainwreck", "http://thecolbertreport.cc.com/videos/kgguey/mike-huckabee", "http://thecolbertreport.cc.com/videos/fnrvrc/cheating-death---gene-therapy", "http://thecolbertreport.cc.com/videos/u8nc37/andrew-keen" ], "guest": "Andrew Keen" }, { "date": "2007-08-20", "videos": [ "http://thecolbertreport.cc.com/videos/tfnhsy/intro---8-20-07", "http://thecolbertreport.cc.com/videos/xo98yh/wriststrong-bracelets", "http://thecolbertreport.cc.com/videos/us6itk/the-word---made-in-iraq", "http://thecolbertreport.cc.com/videos/9a8i9h/nailed--em---northern-border", "http://thecolbertreport.cc.com/videos/o9ho2y/nathan-sawaya" ], "guest": "Nathan Sawaya" }, { "date": "2007-08-21", "videos": [ "http://thecolbertreport.cc.com/videos/2gjr3w/intro---8-21-07", "http://thecolbertreport.cc.com/videos/bcfeni/smokin--pole---global-warming", "http://thecolbertreport.cc.com/videos/7gfsui/the-word---self-determination", "http://thecolbertreport.cc.com/videos/v4twhy/formidable-opponent---terrorism", "http://thecolbertreport.cc.com/videos/4o129i/michael-shermer" ], "guest": "Michael Shermer" }, { "date": "2007-08-22", "videos": [ "http://thecolbertreport.cc.com/videos/v8cwuz/intro---8-22-07", "http://thecolbertreport.cc.com/videos/k7oqos/foreshadowing", "http://thecolbertreport.cc.com/videos/9snnh5/the-word---november-surprise", "http://thecolbertreport.cc.com/videos/ymi1da/where-in-the-world-is-matt-lauer-s-wriststrong-bracelet-", "http://thecolbertreport.cc.com/videos/r18bn4/colbert-platinum---san-tropez", "http://thecolbertreport.cc.com/videos/xxwsh0/richard-branson", "http://thecolbertreport.cc.com/videos/eb410v/doused" ], "guest": "Richard Branson" }, { "date": "2007-08-23", "videos": [ "http://thecolbertreport.cc.com/videos/w3z5w0/intro---8-23-07", "http://thecolbertreport.cc.com/videos/uc4umy/cheney-s-pre-emptive-strike", "http://thecolbertreport.cc.com/videos/en1mx1/thomas-ricks", "http://thecolbertreport.cc.com/videos/xjgukn/fractured-freedom", "http://thecolbertreport.cc.com/videos/0arcqm/wrist-cast-signatories", "http://thecolbertreport.cc.com/videos/3xfbbo/free-at-last", "http://thecolbertreport.cc.com/videos/qta5f5/the-auction-begins-" ], "guest": "Thomas Ricks" }, { "date": "2007-09-10", "videos": [ "http://thecolbertreport.cc.com/videos/844a7k/intro---9-10-07", "http://thecolbertreport.cc.com/videos/vdvpmz/kicking-the-habit", "http://thecolbertreport.cc.com/videos/p14g3t/the-word---honor-bound", "http://thecolbertreport.cc.com/videos/2qi5qf/cast-auction", "http://thecolbertreport.cc.com/videos/u1yamr/bjorn-lomborg" ], "guest": "Bjorn Lomborg" }, { "date": "2007-09-11", "videos": [ "http://thecolbertreport.cc.com/videos/hy8je4/intro---9-11-07", "http://thecolbertreport.cc.com/videos/3l7k3j/general-betray-us", "http://thecolbertreport.cc.com/videos/5yaj4x/indecision-2008--don-t-f--k-this-up-america---the-kickoff", "http://thecolbertreport.cc.com/videos/mjzhz2/the-word---southsourcing", "http://thecolbertreport.cc.com/videos/5z4esb/katie-bruggeman---exclusive", "http://thecolbertreport.cc.com/videos/o07u14/garrison-keillor" ], "guest": "Garrison Keillor" }, { "date": "2007-09-12", "videos": [ "http://thecolbertreport.cc.com/videos/h5njj1/intro---9-12-07", "http://thecolbertreport.cc.com/videos/8lpy3i/1-888-mops-key", "http://thecolbertreport.cc.com/videos/7hc8lx/the-word---re-run", "http://thecolbertreport.cc.com/videos/r6x2pm/michael-bloomberg", "http://thecolbertreport.cc.com/videos/3rano7/tek-jansen---beginning-s-first-dawn--episode-one", "http://thecolbertreport.cc.com/videos/n46uq9/joel-klein", "http://thecolbertreport.cc.com/videos/pc4v8w/klein-s-penance" ], "guest": "Joel Klein" }, { "date": "2007-09-13", "videos": [ "http://thecolbertreport.cc.com/videos/tduyob/intro---9-13-07", "http://thecolbertreport.cc.com/videos/rvio16/the-emmys", "http://thecolbertreport.cc.com/videos/g1gps7/father-james-martin", "http://thecolbertreport.cc.com/videos/9unkmu/wriststrong", "http://thecolbertreport.cc.com/videos/5c8kig/ed-begley-jr-", "http://thecolbertreport.cc.com/videos/9mwknn/stephen-for-president---answering-the-call" ], "guest": "Ed Begley Jr." }, { "date": "2007-09-18", "videos": [ "http://thecolbertreport.cc.com/videos/tr81w4/intro---9-18-07", "http://thecolbertreport.cc.com/videos/6l9i7j/the-word---let-my-people-go", "http://thecolbertreport.cc.com/videos/6we8r4/difference-makers---nitro-girl", "http://thecolbertreport.cc.com/videos/jx6a68/susan-sarandon" ], "guest": "Susan Sarandon" }, { "date": "2007-09-19", "videos": [ "http://thecolbertreport.cc.com/videos/lv4fuw/intro---9-19-07", "http://thecolbertreport.cc.com/videos/zeoen2/ed-asner-dials-the-atone-phone", "http://thecolbertreport.cc.com/videos/0aau1u/the-word---solitarity", "http://thecolbertreport.cc.com/videos/7ooxuh/colbert-platinum---green-edition", "http://thecolbertreport.cc.com/videos/nnhbey/naomi-wolf" ], "guest": "Naomi Wolf" }, { "date": "2007-09-20", "videos": [ "http://thecolbertreport.cc.com/videos/fojlm8/intro---9-20-07", "http://thecolbertreport.cc.com/videos/0ek76n/rabbi-fish", "http://thecolbertreport.cc.com/videos/2h18lo/blistering-rebuttal", "http://thecolbertreport.cc.com/videos/z6i9oa/the-word---market-forces", "http://thecolbertreport.cc.com/videos/b5qfpk/threatdown---us", "http://thecolbertreport.cc.com/videos/wthvm9/jeffrey-toobin", "http://thecolbertreport.cc.com/videos/1pktzf/craziest-f--king-thing-i-ve-ever-heard---mayo-kitchen" ], "guest": "Jeffrey Toobin" }, { "date": "2007-09-24", "videos": [ "http://thecolbertreport.cc.com/videos/tgxkym/intro---9-24-07", "http://thecolbertreport.cc.com/videos/kwfydk/the-word---na-na-na-na-na-na", "http://thecolbertreport.cc.com/videos/zztck4/alpha-dog-of-the-week---honniball", "http://thecolbertreport.cc.com/videos/l00qbc/the-metric-system", "http://thecolbertreport.cc.com/videos/pkz7i5/thomas-l--friedman", "http://thecolbertreport.cc.com/videos/emtni3/sign-off---stephen-accepts-your-apologies" ], "guest": "Thomas Friedman" }, { "date": "2007-09-25", "videos": [ "http://thecolbertreport.cc.com/videos/yrize5/intro---9-25-07", "http://thecolbertreport.cc.com/videos/cminr7/no-nuclear-iran", "http://thecolbertreport.cc.com/videos/2g01er/indecision-2008--don-t-f--k-this-up-america---giuliani", "http://thecolbertreport.cc.com/videos/bjhu7f/k--david-harrison", "http://thecolbertreport.cc.com/videos/b5cc0e/tip-wag---muslim-hipsters", "http://thecolbertreport.cc.com/videos/5ny4ja/john-grisham" ], "guest": "John Grisham" }, { "date": "2007-09-26", "videos": [ "http://thecolbertreport.cc.com/videos/ups73z/intro---9-26-07", "http://thecolbertreport.cc.com/videos/rn3hke/forgiving-bennett", "http://thecolbertreport.cc.com/videos/agyblq/canadian-dollar", "http://thecolbertreport.cc.com/videos/nj93xu/the-word---a-word-from-our-sponsors", "http://thecolbertreport.cc.com/videos/0iswbv/sam-waterston", "http://thecolbertreport.cc.com/videos/79m504/tony-bennett" ], "guest": "Tony Bennett" }, { "date": "2007-09-27", "videos": [ "http://thecolbertreport.cc.com/videos/i67egh/intro---9-27-07", "http://thecolbertreport.cc.com/videos/o502gv/king-tut", "http://thecolbertreport.cc.com/videos/mhmga5/democratic-presidential-debate---the-clintons", "http://thecolbertreport.cc.com/videos/th2rny/the-word---early-immunization", "http://thecolbertreport.cc.com/videos/ev9qqd/david-schwartz", "http://thecolbertreport.cc.com/videos/q0vng8/sign-off---bear-in-the-woods" ], "guest": "David Schwartz" }, { "date": "2007-10-01", "videos": [ "http://thecolbertreport.cc.com/videos/4vmpg2/intro---10-1-07", "http://thecolbertreport.cc.com/videos/s3koea/on-notice---dennis-kucinich", "http://thecolbertreport.cc.com/videos/e5dl9b/the-word---evitable", "http://thecolbertreport.cc.com/videos/7s7h6l/cheating-death---sleep", "http://thecolbertreport.cc.com/videos/5wkeol/charlie-savage", "http://thecolbertreport.cc.com/videos/g86mf6/sign-off---all-night-date" ], "guest": "Charlie Savage" }, { "date": "2007-10-02", "videos": [ "http://thecolbertreport.cc.com/videos/5ycsxc/intro---10-2-07", "http://thecolbertreport.cc.com/videos/ws1a9l/end-of-the-universe", "http://thecolbertreport.cc.com/videos/boxkhr/the-real-showdown", "http://thecolbertreport.cc.com/videos/f1ovth/the-word---troops-out-now", "http://thecolbertreport.cc.com/videos/berne3/nailed--em---cyberrorists", "http://thecolbertreport.cc.com/videos/non4mf/john-mearsheimer", "http://thecolbertreport.cc.com/videos/yxngw7/what-number-is-stephen-thinking-of----between-one-and-ten" ], "guest": "John Mearsheimer" }, { "date": "2007-10-03", "videos": [ "http://thecolbertreport.cc.com/videos/77zwpl/intro---10-3-07", "http://thecolbertreport.cc.com/videos/rsugzz/krugman-correction", "http://thecolbertreport.cc.com/videos/ujxs1h/gay-roundup---dan-savage", "http://thecolbertreport.cc.com/videos/ttvyxm/alpha-dog-of-the-week---president-bush", "http://thecolbertreport.cc.com/videos/bohex1/monkey-on-the-lam---missouri", "http://thecolbertreport.cc.com/videos/1scf3a/jim-lovell" ], "guest": "Jim Lovell" }, { "date": "2007-10-04", "videos": [ "http://thecolbertreport.cc.com/videos/6takag/intro---10-4-07", "http://thecolbertreport.cc.com/videos/9ie5cp/fred-thompson-s-lackluster-candidacy", "http://thecolbertreport.cc.com/videos/t9j9vd/the-word---catastrophe", "http://thecolbertreport.cc.com/videos/ze1fvk/threatdown---science-and-technology-edition", "http://thecolbertreport.cc.com/videos/i58e8l/john-kao", "http://thecolbertreport.cc.com/videos/jy5aw2/an--i-am-america--and-so-can-you----success-story" ], "guest": "John Kao" }, { "date": "2007-10-08", "videos": [ "http://thecolbertreport.cc.com/videos/zjbyqa/intro---10-8-07", "http://thecolbertreport.cc.com/videos/pw4m4c/doggie-co-author", "http://thecolbertreport.cc.com/videos/xkdwvy/the-word---medium-matters", "http://thecolbertreport.cc.com/videos/56gzq7/balls-for-kidz---schip", "http://thecolbertreport.cc.com/videos/og377e/george-saunders", "http://thecolbertreport.cc.com/videos/p6057q/sign-off---i-am-america--and-so-can-you---day" ], "guest": "George Saunders" }, { "date": "2007-10-09", "videos": [ "http://thecolbertreport.cc.com/videos/q3jijk/intro---10-9-07", "http://thecolbertreport.cc.com/videos/plzp6y/i-am-america-on-sale-now-", "http://thecolbertreport.cc.com/videos/ubbze1/new-reagan-coin", "http://thecolbertreport.cc.com/videos/597azm/the-word---mighty-duck", "http://thecolbertreport.cc.com/videos/1znjlb/obama-s-lapel", "http://thecolbertreport.cc.com/videos/x1wzb3/the-stephen-colbert-interview", "http://thecolbertreport.cc.com/videos/r0xdzt/sign-off---lead-free-ink" ], "guest": "Stephen Colbert" }, { "date": "2007-10-10", "videos": [ "http://thecolbertreport.cc.com/videos/vsm7hv/intro---10-10-07", "http://thecolbertreport.cc.com/videos/4ht7gm/dead-to-me---pocketmaster", "http://thecolbertreport.cc.com/videos/79ara8/the-word---americon-dream", "http://thecolbertreport.cc.com/videos/dzvdm0/tip-wag---bruce-springsteen", "http://thecolbertreport.cc.com/videos/97z30b/wesley-clark" ], "guest": "Gen. Wesley Clark" }, { "date": "2007-10-11", "videos": [ "http://thecolbertreport.cc.com/videos/sprkvb/intro---10-11-07", "http://thecolbertreport.cc.com/videos/a27soa/black-haired-guy-who-isn-t-steve-doocy", "http://thecolbertreport.cc.com/videos/o6xiyi/frank-gaffney", "http://thecolbertreport.cc.com/videos/zipx3v/colbert-platinum---kidz-edition", "http://thecolbertreport.cc.com/videos/zv1po1/chris-jordan" ], "guest": "Chris Jordan" }, { "date": "2007-10-15", "videos": [ "http://thecolbertreport.cc.com/videos/56sadv/intro---10-15-07", "http://thecolbertreport.cc.com/videos/9esznw/who-s-honoring-me-now----marie-claire", "http://thecolbertreport.cc.com/videos/oogvcb/the-word---enviro-medal-disaster", "http://thecolbertreport.cc.com/videos/cmpb1d/kucinich-s-pockets", "http://thecolbertreport.cc.com/videos/biff8k/paul-glastris" ], "guest": "Dennis Kucinich, Paul Glastris" }, { "date": "2007-10-16", "videos": [ "http://thecolbertreport.cc.com/videos/6k009y/intro---10-16-07", "http://thecolbertreport.cc.com/videos/0pl61p/planet-in-peril", "http://thecolbertreport.cc.com/videos/f97ynd/indecision-2008--don-t-f--k-this-up-america---presidential-bid", "http://thecolbertreport.cc.com/videos/9phoww/jeff-greenfield", "http://thecolbertreport.cc.com/videos/9j5u2v/bob-drogin" ], "guest": "Bob Drogin, Jeff Greenfield" }, { "date": "2007-10-17", "videos": [ "http://thecolbertreport.cc.com/videos/e6jgx6/intro---10-17-07", "http://thecolbertreport.cc.com/videos/el4ceo/the-big-news", "http://thecolbertreport.cc.com/videos/ps9172/hail-to-the-cheese---filing-papers", "http://thecolbertreport.cc.com/videos/duz61o/threatdown---anniversary", "http://thecolbertreport.cc.com/videos/dvoers/garry-kasparov", "http://thecolbertreport.cc.com/videos/e0223g/sign-off---revenge-is-sweet" ], "guest": "Garry Kasparov" }, { "date": "2007-10-18", "videos": [ "http://thecolbertreport.cc.com/videos/i4a6fg/intro---10-18-07", "http://thecolbertreport.cc.com/videos/z3kzwl/pumpkin-shortage", "http://thecolbertreport.cc.com/videos/6o9coa/global-scrunching---anderson-cooper", "http://thecolbertreport.cc.com/videos/p1wo65/hail-to-the-cheese---campaign-coverage-finance", "http://thecolbertreport.cc.com/videos/rcmqef/craig-newmark", "http://thecolbertreport.cc.com/videos/i2rw4t/sign-off---portrait-unveiled" ], "guest": "Craig Newmark, Anderson Cooper" }, { "date": "2007-10-29", "videos": [ "http://thecolbertreport.cc.com/videos/3xfeo5/intro---10-29-07", "http://thecolbertreport.cc.com/videos/oqlp6f/the-last-infographic", "http://thecolbertreport.cc.com/videos/2hfe9b/hail-to-the-cheese---branded-killings", "http://thecolbertreport.cc.com/videos/wli1tg/the-word---absinthetinence", "http://thecolbertreport.cc.com/videos/49my1v/tip-wag---sleep-deprivation", "http://thecolbertreport.cc.com/videos/pmtsjp/richard-berman", "http://thecolbertreport.cc.com/videos/1yeaa0/sign-off---rocktober" ], "guest": "Richard Berman" }, { "date": "2007-10-30", "videos": [ "http://thecolbertreport.cc.com/videos/6130g5/intro---10-30-07", "http://thecolbertreport.cc.com/videos/f3dddn/massie-ritsch", "http://thecolbertreport.cc.com/videos/rrhz2o/earth-attacks---georgia-drought", "http://thecolbertreport.cc.com/videos/czdur4/j--craig-venter" ], "guest": "Massie Ritsch, Craig Venter" }, { "date": "2007-10-31", "videos": [ "http://thecolbertreport.cc.com/videos/fjrl1d/intro---10-31-07", "http://thecolbertreport.cc.com/videos/iwuly8/hallo-weening", "http://thecolbertreport.cc.com/videos/lshob0/democra-see--democra-do---elections", "http://thecolbertreport.cc.com/videos/pcplr6/the-word---job-description", "http://thecolbertreport.cc.com/videos/hpr411/obama-s-grit-off-challenge", "http://thecolbertreport.cc.com/videos/s7cadq/monkey-on-the-lam---lobster-edition", "http://thecolbertreport.cc.com/videos/4uxxf3/lawrence-wilkerson" ], "guest": "Col. Lawrence Wilkerson" }, { "date": "2007-11-01", "videos": [ "http://thecolbertreport.cc.com/videos/we8h5v/intro---11-1-07", "http://thecolbertreport.cc.com/videos/dzscg7/hail-to-the-cheese---ballot-issues", "http://thecolbertreport.cc.com/videos/9d4e78/hail-to-the-cheese---democratic-executive-council", "http://thecolbertreport.cc.com/videos/tcxqui/walter-kirn", "http://thecolbertreport.cc.com/videos/zymn63/hail-to-the-cheese---donors-choose" ], "guest": "Walter Kirn" } ], "2008": [ { "date": "2008-01-07", "videos": [ "http://thecolbertreport.cc.com/videos/3q3gby/intro---1-7-08", "http://thecolbertreport.cc.com/videos/cva2to/applause", "http://thecolbertreport.cc.com/videos/mdmdd0/nothing-in-the-prompters", "http://thecolbertreport.cc.com/videos/lp7qsd/2008-election", "http://thecolbertreport.cc.com/videos/ku5oni/the-word--------", "http://thecolbertreport.cc.com/videos/mbip8q/democratic-change---andrew-sullivan", "http://thecolbertreport.cc.com/videos/v60qiq/richard-freeman", "http://thecolbertreport.cc.com/videos/ckwp47/first-wrap-up" ], "guest": "Andrew Sullivan, Richard Freeman" }, { "date": "2008-01-08", "videos": [ "http://thecolbertreport.cc.com/videos/8ws9bh/self-driving-car", "http://thecolbertreport.cc.com/videos/2785cy/bush-absolutely-optimistic", "http://thecolbertreport.cc.com/videos/2hhoxp/meteorite-market", "http://thecolbertreport.cc.com/videos/ljxmh2/chris-beam", "http://thecolbertreport.cc.com/videos/tl8ofm/gary-rosen", "http://thecolbertreport.cc.com/videos/m7kpci/note-to-strikers" ], "guest": "Chris Beam, Gary Rosen" }, { "date": "2008-01-09", "videos": [ "http://thecolbertreport.cc.com/videos/33bwbo/she-won-", "http://thecolbertreport.cc.com/videos/fu1w6p/new-hampshire-wrap-up", "http://thecolbertreport.cc.com/videos/weeodm/mike-huckabee", "http://thecolbertreport.cc.com/videos/d0g8tk/matt-taibbi", "http://thecolbertreport.cc.com/videos/je02b9/studio-on-fire" ], "guest": "Gov. Mike Huckabee, Matt Taibbi" }, { "date": "2008-01-10", "videos": [ "http://thecolbertreport.cc.com/videos/613lgd/un-american-news---primaries", "http://thecolbertreport.cc.com/videos/s269t4/norman-ornstein", "http://thecolbertreport.cc.com/videos/y7lisr/national-treasure-pt--1", "http://thecolbertreport.cc.com/videos/x10j2p/muhammad-yunus", "http://thecolbertreport.cc.com/videos/ypiss3/to-the-writers" ], "guest": "Norman Ornstein, Muhammad Yunus" }, { "date": "2008-01-14", "videos": [ "http://thecolbertreport.cc.com/videos/pm5v1p/papa-bear-takes-note", "http://thecolbertreport.cc.com/videos/1vwzy6/around-the-world-in-11-6-seconds---lo-mein", "http://thecolbertreport.cc.com/videos/7k6fkq/indecision-2008--don-t-f--k-this-up-america---trustworthy-manner", "http://thecolbertreport.cc.com/videos/dytre7/national-treasure-pt--2", "http://thecolbertreport.cc.com/videos/xgsf42/neil-shubin", "http://thecolbertreport.cc.com/videos/tmke9w/digesting-lo-mein" ], "guest": "Neil Shubin" }, { "date": "2008-01-15", "videos": [ "http://thecolbertreport.cc.com/videos/4wimo2/who-s-riding-my-coattails-now----vince-vaughn", "http://thecolbertreport.cc.com/videos/hrzpve/peter-hopkins", "http://thecolbertreport.cc.com/videos/1m3t4h/national-treasure-pt--3", "http://thecolbertreport.cc.com/videos/b0e6w3/jared-cohen", "http://thecolbertreport.cc.com/videos/4f2fw9/parting-shot" ], "guest": "Peter Hopkins, Jared Cohen" }, { "date": "2008-01-16", "videos": [ "http://thecolbertreport.cc.com/videos/6mjra2/primary-update", "http://thecolbertreport.cc.com/videos/ng3cbb/political-roulette-pt--1", "http://thecolbertreport.cc.com/videos/v0glj4/back-off-mike-huckabee", "http://thecolbertreport.cc.com/videos/zlpayq/deborah-tannen" ], "guest": "Deborah Tannen" }, { "date": "2008-01-17", "videos": [ "http://thecolbertreport.cc.com/videos/0tl5ul/push-polling", "http://thecolbertreport.cc.com/videos/phko2g/political-roulette-pt--2", "http://thecolbertreport.cc.com/videos/xj86rv/lou-dobbs", "http://thecolbertreport.cc.com/videos/ykpl7i/david-levy" ], "guest": "Lou Dobbs, David Levy" }, { "date": "2008-01-21", "videos": [ "http://thecolbertreport.cc.com/videos/3xkco0/nevada-caucus", "http://thecolbertreport.cc.com/videos/qznknb/huckabee-s-message", "http://thecolbertreport.cc.com/videos/i2josd/allan-sloan", "http://thecolbertreport.cc.com/videos/wjtmux/better-know-a-governor---mark-sanford", "http://thecolbertreport.cc.com/videos/ia8xzl/eric-weiner" ], "guest": "Allan Sloan, Eric Weiner" }, { "date": "2008-01-22", "videos": [ "http://thecolbertreport.cc.com/videos/8q1hh4/dow-drop", "http://thecolbertreport.cc.com/videos/7cp97e/malcolm-gladwell", "http://thecolbertreport.cc.com/videos/xw3v9i/andrew-young", "http://thecolbertreport.cc.com/videos/5tvl4o/let-my-people-go" ], "guest": "Malcolm Gladwell, Andrew Young" }, { "date": "2008-01-23", "videos": [ "http://thecolbertreport.cc.com/videos/1vjtzq/fred-thompson-out", "http://thecolbertreport.cc.com/videos/1fbgf9/sport-report---tom-brady-s-injury", "http://thecolbertreport.cc.com/videos/08lghg/big-check", "http://thecolbertreport.cc.com/videos/wmftq8/jeb-corliss", "http://thecolbertreport.cc.com/videos/rp759h/andrew-mclean" ], "guest": "Marie Wood, Jeb Corliss, Andrew McLean" }, { "date": "2008-01-24", "videos": [ "http://thecolbertreport.cc.com/videos/7uwyyh/rudy-in-florida", "http://thecolbertreport.cc.com/videos/xoh710/clinton-s-hero", "http://thecolbertreport.cc.com/videos/swzg9r/debra-dickerson", "http://thecolbertreport.cc.com/videos/0wz55a/south-carolina-debate", "http://thecolbertreport.cc.com/videos/bpcnyw/charles-nesson" ], "guest": "Debra Dickerson, Charles Nesson" }, { "date": "2008-01-28", "videos": [ "http://thecolbertreport.cc.com/videos/na6amv/obama-just-like-jfk", "http://thecolbertreport.cc.com/videos/zvtkxx/gordon-b--hinckley-died", "http://thecolbertreport.cc.com/videos/07hrs5/marjane-satrapi", "http://thecolbertreport.cc.com/videos/wrdlsf/south-carolina---what-could-have-been-", "http://thecolbertreport.cc.com/videos/l1477t/rick-warren" ], "guest": "Marjane Satrapi, Rick Warren" }, { "date": "2008-01-29", "videos": [ "http://thecolbertreport.cc.com/videos/aeooxe/googley-eyed-clams", "http://thecolbertreport.cc.com/videos/laposi/joe-quesada", "http://thecolbertreport.cc.com/videos/xw6ugs/french-clam", "http://thecolbertreport.cc.com/videos/38i4eg/alex-ross" ], "guest": "Joe Quesada, Alex Ross" }, { "date": "2008-01-30", "videos": [ "http://thecolbertreport.cc.com/videos/akx9de/exclusive---better-know-a-district---south-carolina-s-4th---bob-inglis", "http://thecolbertreport.cc.com/videos/t6sflk/florida-primary", "http://thecolbertreport.cc.com/videos/vb4t2x/carl-hiaasen", "http://thecolbertreport.cc.com/videos/n87g1n/better-know-a-district---south-carolina-s-4th---bob-inglis", "http://thecolbertreport.cc.com/videos/m4iax5/frans-de-waal" ], "guest": "Carl Hiaasen, Frans de Waal" }, { "date": "2008-01-31", "videos": [ "http://thecolbertreport.cc.com/videos/z0raub/timetables", "http://thecolbertreport.cc.com/videos/8l0ndt/ron-paul-sounds-alarm", "http://thecolbertreport.cc.com/videos/2lwxda/tim-harford", "http://thecolbertreport.cc.com/videos/0d4uq9/people-who-are-destroying-america---pick-up-trucks", "http://thecolbertreport.cc.com/videos/kgrty6/andrew-napolitano" ], "guest": "Tim Harford, Andrew Napolitano" }, { "date": "2008-02-04", "videos": [ "http://thecolbertreport.cc.com/videos/pwg4p2/conan-and-jon", "http://thecolbertreport.cc.com/videos/y5zzyu/tony-campolo", "http://thecolbertreport.cc.com/videos/tmuhtk/jacob-weisberg", "http://thecolbertreport.cc.com/videos/7r0nt2/post-show-ass-kicking" ], "guest": "Tony Campolo, Jacob Weisberg" }, { "date": "2008-02-05", "videos": [ "http://thecolbertreport.cc.com/videos/yvxknz/happy-super-tuesday-", "http://thecolbertreport.cc.com/videos/nqwcui/hillary-is-a-target", "http://thecolbertreport.cc.com/videos/xonm3y/angelo-falcon", "http://thecolbertreport.cc.com/videos/xq9nc4/mukasey-on-torture", "http://thecolbertreport.cc.com/videos/gjwjsl/bob-dole" ], "guest": "Angelo Falcon, Bob Dole" }, { "date": "2008-02-06", "videos": [ "http://thecolbertreport.cc.com/videos/j3dp2u/late-night-fight", "http://thecolbertreport.cc.com/videos/gqstf6/clap-clap-point-point", "http://thecolbertreport.cc.com/videos/yxx0w5/richard-brookhiser", "http://thecolbertreport.cc.com/videos/ammxmv/better-know-a-lobby---human-rights-campaign-pt--1", "http://thecolbertreport.cc.com/videos/nhkpwj/tad-devine" ], "guest": "Tad Devine" }, { "date": "2008-02-07", "videos": [ "http://thecolbertreport.cc.com/videos/ctzo98/stephen-s-ethnic-minute", "http://thecolbertreport.cc.com/videos/v43el0/huckabee-s-still-in", "http://thecolbertreport.cc.com/videos/negp2q/better-know-a-lobby---human-rights-campaign-pt--2", "http://thecolbertreport.cc.com/videos/oxf63b/mark-moffett" ], "guest": "Mark Moffett" }, { "date": "2008-02-11", "videos": [ "http://thecolbertreport.cc.com/videos/bs8egm/obama-wins-a-grammy", "http://thecolbertreport.cc.com/videos/lnkbna/goodbye-mitt", "http://thecolbertreport.cc.com/videos/myptag/aubrey-de-grey", "http://thecolbertreport.cc.com/videos/in3tg3/portrait-check-in", "http://thecolbertreport.cc.com/videos/8sjpoa/philip-zimbardo" ], "guest": "Aubrey de Grey, Philip Zimbardo" }, { "date": "2008-02-12", "videos": [ "http://thecolbertreport.cc.com/videos/gucgvs/huckabee-s-obligation", "http://thecolbertreport.cc.com/videos/6g98j7/eliot-spitzer", "http://thecolbertreport.cc.com/videos/udbv19/eleanor-holmes-norton", "http://thecolbertreport.cc.com/videos/ekpicq/lisa-randall" ], "guest": "Gov. Eliot Spitzer, Eleanor Holmes Norton, Lisa Randall" }, { "date": "2008-02-13", "videos": [ "http://thecolbertreport.cc.com/videos/r9rjo5/intro---2-13-08", "http://thecolbertreport.cc.com/videos/mvp1nc/the-writers-return-", "http://thecolbertreport.cc.com/videos/n3dwin/david-gracer", "http://thecolbertreport.cc.com/videos/aebxex/neil-de-grasse-tyson", "http://thecolbertreport.cc.com/videos/n39iqt/richard-thompson-ford" ], "guest": "David Gracer, Richard Thompson Ford" }, { "date": "2008-02-14", "videos": [ "http://thecolbertreport.cc.com/videos/5hf18t/intro---2-14-08", "http://thecolbertreport.cc.com/videos/qg63hg/who-s-riding-my-coattails-now----oliver-pocher", "http://thecolbertreport.cc.com/videos/slbgcr/clemens-hearing", "http://thecolbertreport.cc.com/videos/0i3hg8/john-feinstein", "http://thecolbertreport.cc.com/videos/dmxs6z/people-who-are-destroying-america---happy-meal", "http://thecolbertreport.cc.com/videos/hxt6mo/leonard-nimoy" ], "guest": "John Feinstein, Leonard Nimoy" }, { "date": "2008-02-26", "videos": [ "http://thecolbertreport.cc.com/videos/t6xzxc/intro---2-26-08", "http://thecolbertreport.cc.com/videos/cexk3g/obama-s-photo", "http://thecolbertreport.cc.com/videos/x6h69l/the-word---good-bad-journalism", "http://thecolbertreport.cc.com/videos/4s0owa/henry-louis-gates-jr-" ], "guest": "Henry Louis Gates Jr." }, { "date": "2008-02-27", "videos": [ "http://thecolbertreport.cc.com/videos/3uzan2/exclusive---guitar-heroes", "http://thecolbertreport.cc.com/videos/spigs3/intro---2-27-08", "http://thecolbertreport.cc.com/videos/fb142a/mccain-rally", "http://thecolbertreport.cc.com/videos/717g03/threatdown---air-colbert", "http://thecolbertreport.cc.com/videos/ni7mzt/tony-snow" ], "guest": "Tony Snow" }, { "date": "2008-02-28", "videos": [ "http://thecolbertreport.cc.com/videos/upjayy/the-music-man", "http://thecolbertreport.cc.com/videos/80mnx9/intro---2-28-08", "http://thecolbertreport.cc.com/videos/wq9qga/russian-billboard", "http://thecolbertreport.cc.com/videos/c64r8o/cold-war-update", "http://thecolbertreport.cc.com/videos/zrhp7w/richard-brookhiser", "http://thecolbertreport.cc.com/videos/n7g9t0/ingrid-newkirk", "http://thecolbertreport.cc.com/videos/zsj0rq/sign-off---shoe-phone" ], "guest": "Richard Brookhiser, Ingrid Newkirk" }, { "date": "2008-03-03", "videos": [ "http://thecolbertreport.cc.com/videos/laopsy/intro---3-3-08", "http://thecolbertreport.cc.com/videos/1gyoec/the-coveted-colbert-bump", "http://thecolbertreport.cc.com/videos/do24ht/das-booty---hitler-s-gold-pt--1", "http://thecolbertreport.cc.com/videos/dvfqt3/maestro-lorin-maazel", "http://thecolbertreport.cc.com/videos/8llta1/shashi-tharoor", "http://thecolbertreport.cc.com/videos/beqjns/leap-day" ], "guest": "Lorin Maazel, Shashi Tharoor" }, { "date": "2008-03-04", "videos": [ "http://thecolbertreport.cc.com/videos/1d4djp/intro---3-4-08", "http://thecolbertreport.cc.com/videos/509s01/william-donohue", "http://thecolbertreport.cc.com/videos/myyov6/howard-dean", "http://thecolbertreport.cc.com/videos/wvt9ny/nailed--em---graffiti-punk", "http://thecolbertreport.cc.com/videos/86yukf/jennifer-8--lee", "http://thecolbertreport.cc.com/videos/10okbb/to-howard-dean", "http://thecolbertreport.cc.com/videos/q08fbb/the-word---experience" ], "guest": "William Donohue, Howard Dean, Jennifer 8. Lee" }, { "date": "2008-03-05", "videos": [ "http://thecolbertreport.cc.com/videos/9o2e4d/intro---3-5-08", "http://thecolbertreport.cc.com/videos/d60bre/farewell-brett-favre", "http://thecolbertreport.cc.com/videos/q038rv/hucka-bye", "http://thecolbertreport.cc.com/videos/6296yb/robert-reich", "http://thecolbertreport.cc.com/videos/lrlzri/difference-makers---free-implants", "http://thecolbertreport.cc.com/videos/z6yixf/gregory-rodriguez", "http://thecolbertreport.cc.com/videos/p6i1w8/r-i-p--gary-gygax" ], "guest": "Robert Reich, Gregory Rodriguez" }, { "date": "2008-03-06", "videos": [ "http://thecolbertreport.cc.com/videos/zoimd4/intro---3-6-08", "http://thecolbertreport.cc.com/videos/m9ob1y/hot-dog-with-the-president", "http://thecolbertreport.cc.com/videos/i9idne/the-word---at---treason", "http://thecolbertreport.cc.com/videos/0ih0ea/cheating-death---surgery", "http://thecolbertreport.cc.com/videos/cv6bwa/john-legend" ], "guest": "John Legend" }, { "date": "2008-03-10", "videos": [ "http://thecolbertreport.cc.com/videos/mahtb2/intro---3-10-08", "http://thecolbertreport.cc.com/videos/3a9bum/whores-", "http://thecolbertreport.cc.com/videos/8p3t8b/the-word---size-matters", "http://thecolbertreport.cc.com/videos/fdo5yd/the--72-democrats", "http://thecolbertreport.cc.com/videos/7m46n6/george-mcgovern" ], "guest": "George McGovern" }, { "date": "2008-03-11", "videos": [ "http://thecolbertreport.cc.com/videos/3ybl08/intro---3-11-08", "http://thecolbertreport.cc.com/videos/me89dy/spitzer-greeting-cards", "http://thecolbertreport.cc.com/videos/twuo43/the-word---mr--right-now", "http://thecolbertreport.cc.com/videos/f7ltv5/colbert-platinum---liechtenstein", "http://thecolbertreport.cc.com/videos/gcwzrr/geraldo-rivera", "http://thecolbertreport.cc.com/videos/8h6jvx/sign-off---show-s-over--america" ], "guest": "Geraldo Rivera" }, { "date": "2008-03-12", "videos": [ "http://thecolbertreport.cc.com/videos/tvzv05/intro---3-12-08", "http://thecolbertreport.cc.com/videos/ntzxtt/spitzer-sandwich", "http://thecolbertreport.cc.com/videos/ippftn/smokin--pole---alaska", "http://thecolbertreport.cc.com/videos/50a47x/better-know-a-lobby---drug-policy-alliance", "http://thecolbertreport.cc.com/videos/nouiem/howard-kurtz" ], "guest": "Howard Kurtz" }, { "date": "2008-03-13", "videos": [ "http://thecolbertreport.cc.com/videos/gpd5cu/intro---3-13-08", "http://thecolbertreport.cc.com/videos/k8bsjv/airborne-lawsuit", "http://thecolbertreport.cc.com/videos/d51tqz/democralypse-now---ferraro", "http://thecolbertreport.cc.com/videos/tvjvip/hussein-ibish", "http://thecolbertreport.cc.com/videos/oe7yd2/difference-makers---doug-jackson", "http://thecolbertreport.cc.com/videos/mzut29/sudhir-venkatesh" ], "guest": "Hussein Ibish, Sudhir Venkatesh" }, { "date": "2008-03-17", "videos": [ "http://thecolbertreport.cc.com/videos/ck2j7u/exclusive---spitzer", "http://thecolbertreport.cc.com/videos/8zfc9q/intro---3-17-08", "http://thecolbertreport.cc.com/videos/v28dea/stephen-in-philly", "http://thecolbertreport.cc.com/videos/rxdrv8/the-word---the-audacity-of-hopelessness", "http://thecolbertreport.cc.com/videos/tw4jo4/people-who-are-destroying-america---st--patrick-s-day", "http://thecolbertreport.cc.com/videos/5j8sg4/samantha-power" ], "guest": "Samantha Power" }, { "date": "2008-03-18", "videos": [ "http://thecolbertreport.cc.com/videos/vgwiie/intro---3-18-08", "http://thecolbertreport.cc.com/videos/wsz08m/yes-we-can-", "http://thecolbertreport.cc.com/videos/xtwx8p/spicy-sweet-coverage", "http://thecolbertreport.cc.com/videos/mogf73/das-booty---hitler-s-gold-pt--2", "http://thecolbertreport.cc.com/videos/5boih5/carole-king" ], "guest": "Carole King" }, { "date": "2008-03-19", "videos": [ "http://thecolbertreport.cc.com/videos/hcafrk/intro---3-19-08", "http://thecolbertreport.cc.com/videos/hrjm1z/patterson-affair", "http://thecolbertreport.cc.com/videos/scqdwy/the-word---the-gospel-of-john", "http://thecolbertreport.cc.com/videos/y6aybj/pennsylvania-primary", "http://thecolbertreport.cc.com/videos/037ygf/tip-wag---afghanistan", "http://thecolbertreport.cc.com/videos/vk922m/dee-dee-myers" ], "guest": "Dee Dee Myers" }, { "date": "2008-03-20", "videos": [ "http://thecolbertreport.cc.com/videos/vq76dq/watershift-down--getting-the-sea-monkey-off-america-s-aqua-back", "http://thecolbertreport.cc.com/videos/wkdrt1/aqua-colbert", "http://thecolbertreport.cc.com/videos/l1sl1c/water-is-life", "http://thecolbertreport.cc.com/videos/3mtvfm/dean-kamen", "http://thecolbertreport.cc.com/videos/4y9sds/setting-water-on-fire" ], "guest": "Dean Kamen" }, { "date": "2008-03-31", "videos": [ "http://thecolbertreport.cc.com/videos/f3rbbv/intro---3-31-08", "http://thecolbertreport.cc.com/videos/aqkiox/opening-day", "http://thecolbertreport.cc.com/videos/0fo1qd/bowling-in-pa", "http://thecolbertreport.cc.com/videos/2ii77j/eric-alterman", "http://thecolbertreport.cc.com/videos/b149k1/tek-jansen---beginning-s-first-dawn--episode-one-revisited", "http://thecolbertreport.cc.com/videos/3p6caw/michael-reynolds" ], "guest": "Eric Alterman, Michael Reynolds" }, { "date": "2008-04-01", "videos": [ "http://thecolbertreport.cc.com/videos/ayieu5/intro---4-1-08", "http://thecolbertreport.cc.com/videos/irlo9m/portrait-update", "http://thecolbertreport.cc.com/videos/inwuqm/the-word---pick-sicks", "http://thecolbertreport.cc.com/videos/fpyy9k/bears---balls---rat-rakes", "http://thecolbertreport.cc.com/videos/700kdb/van-jones", "http://thecolbertreport.cc.com/videos/lrepiq/portrait-displayed" ], "guest": "Van Jones" }, { "date": "2008-04-02", "videos": [ "http://thecolbertreport.cc.com/videos/46s8py/intro---4-2-08", "http://thecolbertreport.cc.com/videos/sbidx5/stephen-wins-a-peabody", "http://thecolbertreport.cc.com/videos/3fc86e/threatdown---nipples", "http://thecolbertreport.cc.com/videos/n3f5qh/r-e-m-" ], "guest": "R.E.M." }, { "date": "2008-04-03", "videos": [ "http://thecolbertreport.cc.com/videos/aj43z8/intro---4-3-08", "http://thecolbertreport.cc.com/videos/tyapiy/peabody-credit", "http://thecolbertreport.cc.com/videos/xwlefp/the-word---let-the-games-begin", "http://thecolbertreport.cc.com/videos/gx1oov/tek-jansen---beginning-s-first-dawn--episode-two", "http://thecolbertreport.cc.com/videos/dm9a7h/clay-shirky", "http://thecolbertreport.cc.com/videos/jsqez9/tek-jansen---you-are-the-best" ], "guest": "Clay Shirky" }, { "date": "2008-04-07", "videos": [ "http://thecolbertreport.cc.com/videos/7lye0f/intro---4-7-08", "http://thecolbertreport.cc.com/videos/we6e20/r-i-p--charlton-heston", "http://thecolbertreport.cc.com/videos/xh2gv1/trevor-paglen", "http://thecolbertreport.cc.com/videos/3xlgs3/democralypse-now---3am", "http://thecolbertreport.cc.com/videos/82gipv/jesse-ventura" ], "guest": "Trevor Paglen, Jesse Ventura" }, { "date": "2008-04-08", "videos": [ "http://thecolbertreport.cc.com/videos/54jfl6/intro---4-8-08", "http://thecolbertreport.cc.com/videos/yme30m/pope-coming-to-nyc", "http://thecolbertreport.cc.com/videos/g0ke6u/children-s-drawings", "http://thecolbertreport.cc.com/videos/0dimmt/wilford-brimley-calls---donation", "http://thecolbertreport.cc.com/videos/elawer/madeleine-albright" ], "guest": "Madeleine Albright" }, { "date": "2008-04-09", "videos": [ "http://thecolbertreport.cc.com/videos/bdme3x/intro---4-9-08", "http://thecolbertreport.cc.com/videos/iekisu/olympic-torch", "http://thecolbertreport.cc.com/videos/ypse7c/the-word---starter-country", "http://thecolbertreport.cc.com/videos/jycq7p/cheating-death---sexual-health", "http://thecolbertreport.cc.com/videos/nlvpn4/jeff-gore" ], "guest": "Jeff Gore" }, { "date": "2008-04-10", "videos": [ "http://thecolbertreport.cc.com/videos/zsmonm/intro---4-10-08", "http://thecolbertreport.cc.com/videos/6sdfwa/petraeus-hearings", "http://thecolbertreport.cc.com/videos/x8pxwi/more-drawings-from-kids", "http://thecolbertreport.cc.com/videos/z2z65o/the-word---black-and-white", "http://thecolbertreport.cc.com/videos/v1k50e/tip-wag---rain", "http://thecolbertreport.cc.com/videos/torkh7/robin-wright" ], "guest": "Robin Wright" }, { "date": "2008-04-14", "videos": [ "http://thecolbertreport.cc.com/videos/qfrdo9/from-philadelphia", "http://thecolbertreport.cc.com/videos/5phute/pennsylvania-primary-history", "http://thecolbertreport.cc.com/videos/1b60fj/chris-matthews" ], "guest": "Chris Matthews" }, { "date": "2008-04-15", "videos": [ "http://thecolbertreport.cc.com/videos/oj9blc/intro---4-15-08", "http://thecolbertreport.cc.com/videos/3aqwqx/nice-roomba", "http://thecolbertreport.cc.com/videos/ad5qga/the-word---tradition", "http://thecolbertreport.cc.com/videos/7unrts/independence-park", "http://thecolbertreport.cc.com/videos/upl7xe/michelle-obama" ], "guest": "Michelle Obama, The Roots" }, { "date": "2008-04-16", "videos": [ "http://thecolbertreport.cc.com/videos/h0lfw9/intro---4-16-08", "http://thecolbertreport.cc.com/videos/pi51oz/jackie-o--amendment", "http://thecolbertreport.cc.com/videos/9z3000/democralypse-now---the-boss", "http://thecolbertreport.cc.com/videos/9zm7cy/national-constitution-center", "http://thecolbertreport.cc.com/videos/51r39w/ed-rendell", "http://thecolbertreport.cc.com/videos/1bzrgk/benjamin-franklin-s-news" ], "guest": "Philadelphia Eagles Cheerleaders, Gov. Ed Rendell" }, { "date": "2008-04-17", "videos": [ "http://thecolbertreport.cc.com/videos/ky7oxg/benjamin-franklin-s-latest-invention", "http://thecolbertreport.cc.com/videos/uzusr0/hillary-clinton-takes-on-technical-difficulties", "http://thecolbertreport.cc.com/videos/1i62sd/clinton-vs--obama-philadelphia-debate-review", "http://thecolbertreport.cc.com/videos/ew5t9y/patrick-murphy", "http://thecolbertreport.cc.com/videos/x3zme5/the-ed-words---valued-voter", "http://thecolbertreport.cc.com/videos/ol0nn3/on-notice---barack-obama-against-distractions" ], "guest": "Hillary Clinton, John Edwards, Barack Obama" }, { "date": "2008-04-21", "videos": [ "http://thecolbertreport.cc.com/videos/i6ihlp/intro---4-21-08", "http://thecolbertreport.cc.com/videos/foffke/philly-loves-colbert-nation", "http://thecolbertreport.cc.com/videos/5jm58y/global-food-shortage", "http://thecolbertreport.cc.com/videos/ehgxth/father-james-martin", "http://thecolbertreport.cc.com/videos/oo6wpp/bernie-sanders", "http://thecolbertreport.cc.com/videos/e7gpah/farewell-to-bobby" ], "guest": "Fr. James Martin, Sen. Bernie Sanders" }, { "date": "2008-04-22", "videos": [ "http://thecolbertreport.cc.com/videos/ah79bq/intro---4-22-08", "http://thecolbertreport.cc.com/videos/tp640v/earth-is-awesome", "http://thecolbertreport.cc.com/videos/uyxyc7/obama-copycattery", "http://thecolbertreport.cc.com/videos/a2ha6c/indecision-cheesesteaks", "http://thecolbertreport.cc.com/videos/0nsiap/better-know-a-district---pennsylvania-s-7th---joe-sestak", "http://thecolbertreport.cc.com/videos/5427ng/susan-jacoby", "http://thecolbertreport.cc.com/videos/l34czb/exclusive---better-know-a-district---pennsylvania-s-7th---joe-sestak" ], "guest": "Susan Jacoby" }, { "date": "2008-04-23", "videos": [ "http://thecolbertreport.cc.com/videos/lxpsri/intro---4-23-08", "http://thecolbertreport.cc.com/videos/6wperh/rain-rivalry-challenge", "http://thecolbertreport.cc.com/videos/hpr26d/the-word---iraq-the-vote", "http://thecolbertreport.cc.com/videos/fqo64s/colbert-platinum---cat-pooped-coffee", "http://thecolbertreport.cc.com/videos/5azl7m/mitch-albom", "http://thecolbertreport.cc.com/videos/qdf6zq/the-lost-o-reilly-tapes-pt--1" ], "guest": "Mitch Albom" }, { "date": "2008-04-24", "videos": [ "http://thecolbertreport.cc.com/videos/6kux9r/intro---4-24-08", "http://thecolbertreport.cc.com/videos/a1qle2/petraeus--promotion", "http://thecolbertreport.cc.com/videos/uddwea/threatdown---juicing-bulls", "http://thecolbertreport.cc.com/videos/e3l9yt/difference-makers---bumbot", "http://thecolbertreport.cc.com/videos/lr9uai/maria-shriver" ], "guest": "Maria Shriver" }, { "date": "2008-04-28", "videos": [ "http://thecolbertreport.cc.com/videos/3fwic4/intro---4-28-08", "http://thecolbertreport.cc.com/videos/244o0l/miley-cyrus-photo-shoot", "http://thecolbertreport.cc.com/videos/9v4qwg/electability", "http://thecolbertreport.cc.com/videos/ejbmnx/the-word---kernel-of-truth", "http://thecolbertreport.cc.com/videos/3osshb/sport-report---timbersports", "http://thecolbertreport.cc.com/videos/222rjo/feist" ], "guest": "Feist" }, { "date": "2008-04-29", "videos": [ "http://thecolbertreport.cc.com/videos/a1muh6/intro---4-29-08", "http://thecolbertreport.cc.com/videos/vc3sa7/obama-breaks-with-wright", "http://thecolbertreport.cc.com/videos/uk74h6/mccain-s-superstitions", "http://thecolbertreport.cc.com/videos/ry65tk/the-word---separation-of-church---plate", "http://thecolbertreport.cc.com/videos/cy9dmw/tip-wag---barbie", "http://thecolbertreport.cc.com/videos/s3buaq/anne-lamott" ], "guest": "Anne Lamott" }, { "date": "2008-04-30", "videos": [ "http://thecolbertreport.cc.com/videos/byoxj1/intro---4-30-08", "http://thecolbertreport.cc.com/videos/xju86c/salinger-watch", "http://thecolbertreport.cc.com/videos/1rdkem/donna-brazile-on-the-democratic-campaign", "http://thecolbertreport.cc.com/videos/4ngs9u/better-know-a-protectorate---guam---madeleine-bordallo-update", "http://thecolbertreport.cc.com/videos/vjk2cd/noah-feldman" ], "guest": "Donna Brazile, Noah Feldman" }, { "date": "2008-05-01", "videos": [ "http://thecolbertreport.cc.com/videos/1zd3gn/intro---5-01-08", "http://thecolbertreport.cc.com/videos/clfbo3/jenna-bush-wedding", "http://thecolbertreport.cc.com/videos/sctmlw/trailers-destroying-america---summer-movie-edition", "http://thecolbertreport.cc.com/videos/aka0f3/formidable-opponent---electability", "http://thecolbertreport.cc.com/videos/zck6ux/james-howard-kunstler" ], "guest": "James Kunstler" }, { "date": "2008-05-05", "videos": [ "http://thecolbertreport.cc.com/videos/nhsr7z/intro---5-05-08", "http://thecolbertreport.cc.com/videos/wtbn4l/time-s-2008-top-100-most-influential", "http://thecolbertreport.cc.com/videos/x20ttg/the-word---free-gas-", "http://thecolbertreport.cc.com/videos/oov14y/speed-racer", "http://thecolbertreport.cc.com/videos/91hddq/alpha-dog-of-the-week---911-operator", "http://thecolbertreport.cc.com/videos/2uj60r/carl-hiaasen", "http://thecolbertreport.cc.com/videos/k44vbf/rain-dance-off" ], "guest": "Carl Hiaasen" }, { "date": "2008-05-06", "videos": [ "http://thecolbertreport.cc.com/videos/e38w0k/intro---5-06-08", "http://thecolbertreport.cc.com/videos/e3fb1q/sexy-voice-study", "http://thecolbertreport.cc.com/videos/qy6hoq/the-word---collateral-friendage", "http://thecolbertreport.cc.com/videos/byyq8n/stephen-s-sound-advice---karl-s-advice", "http://thecolbertreport.cc.com/videos/y777b4/nathan-gunn" ], "guest": "Nathan Gunn" }, { "date": "2008-05-07", "videos": [ "http://thecolbertreport.cc.com/videos/fk83lx/intro---5-07-08", "http://thecolbertreport.cc.com/videos/20qjta/stephen-colbert-s-shockettes", "http://thecolbertreport.cc.com/videos/su4v1v/terrorist-nelson-mandela", "http://thecolbertreport.cc.com/videos/07p71k/hasan-elahi", "http://thecolbertreport.cc.com/videos/bc4u9e/democralypse-now---justin-myers", "http://thecolbertreport.cc.com/videos/av0o9p/george-johnson" ], "guest": "Hasan Elahi, George Johnson" }, { "date": "2008-05-08", "videos": [ "http://thecolbertreport.cc.com/videos/ey98z2/exclusive---stephen-vs--rain", "http://thecolbertreport.cc.com/videos/6wn8i5/garrett-reisman", "http://thecolbertreport.cc.com/videos/qnk6x8/gas-dollar", "http://thecolbertreport.cc.com/videos/txq3hp/arianna-huffington", "http://thecolbertreport.cc.com/videos/uafvva/r-i-p--albert-hoffman" ], "guest": "Arianna Huffington" }, { "date": "2008-05-12", "videos": [ "http://thecolbertreport.cc.com/videos/da4u0g/intro---5-12-08", "http://thecolbertreport.cc.com/videos/tj7sih/big-russ", "http://thecolbertreport.cc.com/videos/kdeptj/cold-war-update---russia", "http://thecolbertreport.cc.com/videos/k7k3ke/threatdown---cute-bears", "http://thecolbertreport.cc.com/videos/3i279j/dr--mehmet-oz" ], "guest": "Dr. Mehmet Oz" }, { "date": "2008-05-13", "videos": [ "http://thecolbertreport.cc.com/videos/oycul0/exclusive---better-know-a-lobby---brady-campaign-to-prevent-gun-violence", "http://thecolbertreport.cc.com/videos/1siped/intro---5-13-08", "http://thecolbertreport.cc.com/videos/mpq03a/hillary-drop-out", "http://thecolbertreport.cc.com/videos/qxr59r/bill-o-reilly-inside-edition", "http://thecolbertreport.cc.com/videos/np2mes/better-know-a-lobby---brady-campaign-to-prevent-gun-violence", "http://thecolbertreport.cc.com/videos/24b8xh/jennifer-hooper-mccarty" ], "guest": "Jennifer Hooper McCarty" }, { "date": "2008-05-14", "videos": [ "http://thecolbertreport.cc.com/videos/suewpq/intro---5-14-08", "http://thecolbertreport.cc.com/videos/fygt2g/edwards-supports-obama", "http://thecolbertreport.cc.com/videos/ry9ff3/who-s-not-honoring-me-now----science", "http://thecolbertreport.cc.com/videos/xnkjrq/the-word---declaration-of-warming", "http://thecolbertreport.cc.com/videos/gxghyw/laura-dern", "http://thecolbertreport.cc.com/videos/4tldfc/grover-norquist", "http://thecolbertreport.cc.com/videos/zujfq0/the-show-comes-to-an-end" ], "guest": "Laura Dern, Grover Norquist" }, { "date": "2008-05-15", "videos": [ "http://thecolbertreport.cc.com/videos/nkmoxa/intro---5-15-08", "http://thecolbertreport.cc.com/videos/ekfqs4/american-craft-beer-week", "http://thecolbertreport.cc.com/videos/wy0c00/edwards-endorses-obama", "http://thecolbertreport.cc.com/videos/scm34l/the-word---jail-sweet-jail", "http://thecolbertreport.cc.com/videos/ak0o7t/bears---balls---dollar-stores", "http://thecolbertreport.cc.com/videos/rarvxz/andrei-cherny" ], "guest": "Andrei Cherny" }, { "date": "2008-05-27", "videos": [ "http://thecolbertreport.cc.com/videos/v79z0o/intro---5-27-08", "http://thecolbertreport.cc.com/videos/k0kiom/fleet-week", "http://thecolbertreport.cc.com/videos/xuhumb/mccain-s-preachers", "http://thecolbertreport.cc.com/videos/dxmleo/tony-perkins", "http://thecolbertreport.cc.com/videos/o5c67w/brian-greene" ], "guest": "Tony Perkins, Brian Greene" }, { "date": "2008-05-28", "videos": [ "http://thecolbertreport.cc.com/videos/tuxwuw/intro---5-28-08", "http://thecolbertreport.cc.com/videos/euhkkf/microbe-beat-", "http://thecolbertreport.cc.com/videos/z1nl4c/the-word---brushback-pitch", "http://thecolbertreport.cc.com/videos/jhmlmk/cheating-death---liquid-launch", "http://thecolbertreport.cc.com/videos/ngaz1d/claire-mccaskill" ], "guest": "Sen. Claire McCaskill" }, { "date": "2008-05-29", "videos": [ "http://thecolbertreport.cc.com/videos/6wfa6q/intro---5-29-08", "http://thecolbertreport.cc.com/videos/79u1cf/shout-out----broken-space-toilet", "http://thecolbertreport.cc.com/videos/6735i1/democralypse-now---florida-and-michigan", "http://thecolbertreport.cc.com/videos/ug78n1/tad-devine", "http://thecolbertreport.cc.com/videos/lhma93/tip-wag---monetary-discrimination", "http://thecolbertreport.cc.com/videos/3qprbm/david-sirota", "http://thecolbertreport.cc.com/videos/g0kftc/sneak-preview" ], "guest": "Tad Devine, David Sirota" }, { "date": "2008-06-02", "videos": [ "http://thecolbertreport.cc.com/videos/hrlfp0/intro---6-02-08", "http://thecolbertreport.cc.com/videos/dvmsby/obama-s-church", "http://thecolbertreport.cc.com/videos/38jpc2/fire-at-universal", "http://thecolbertreport.cc.com/videos/jlvsj6/the-word---media-culpa", "http://thecolbertreport.cc.com/videos/8cygn0/colbert-platinum---private-jets", "http://thecolbertreport.cc.com/videos/p0u6f8/jon-paskowitz", "http://thecolbertreport.cc.com/videos/piym7c/final-thought" ], "guest": "Jon Paskowitz" }, { "date": "2008-06-03", "videos": [ "http://thecolbertreport.cc.com/videos/4vr7xb/intro---6-03-08", "http://thecolbertreport.cc.com/videos/o005k6/democratic-primaries-over", "http://thecolbertreport.cc.com/videos/viwun3/the-word---unhealthy-competition", "http://thecolbertreport.cc.com/videos/po30h9/stephen-s-sound-advice---summer-jobs", "http://thecolbertreport.cc.com/videos/xhigi4/george-will" ], "guest": "George Will" }, { "date": "2008-06-04", "videos": [ "http://thecolbertreport.cc.com/videos/0w2khv/intro---6-04-08", "http://thecolbertreport.cc.com/videos/hfq15q/john-mccain-s-green-screen-challenge", "http://thecolbertreport.cc.com/videos/wsbc0i/libertarian-party---bob-barr", "http://thecolbertreport.cc.com/videos/sn90ui/salman-rushdie", "http://thecolbertreport.cc.com/videos/uji4o5/the-lost-o-reilly-tapes-pt--2" ], "guest": "Rep. Bob Barr, Salman Rushdie" }, { "date": "2008-06-05", "videos": [ "http://thecolbertreport.cc.com/videos/yv02dd/intro---6-05-08", "http://thecolbertreport.cc.com/videos/n90wjr/the-andromeda-strain", "http://thecolbertreport.cc.com/videos/ugt12v/the-word---oh--the-places-you-ll-stay", "http://thecolbertreport.cc.com/videos/6nrkel/sport-report---mike-forrester", "http://thecolbertreport.cc.com/videos/ibt0j9/pat-buchanan" ], "guest": "Pat Buchanan" }, { "date": "2008-06-09", "videos": [ "http://thecolbertreport.cc.com/videos/qowh4f/intro---6-09-08", "http://thecolbertreport.cc.com/videos/icuy8o/democralypse-now---hillary-concedes", "http://thecolbertreport.cc.com/videos/numnri/the-word---if-at-first-you-don-t-secede", "http://thecolbertreport.cc.com/videos/vlab0d/threatdown---secret-negro-presidents", "http://thecolbertreport.cc.com/videos/gv27al/philip-weiss" ], "guest": "Phil Weiss" }, { "date": "2008-06-10", "videos": [ "http://thecolbertreport.cc.com/videos/705tqw/intro---6-10-08", "http://thecolbertreport.cc.com/videos/cbjixz/new-giant-iphone", "http://thecolbertreport.cc.com/videos/w5you4/tickling-the-rocks", "http://thecolbertreport.cc.com/videos/skw5sl/the-elitist-menace-among-us", "http://thecolbertreport.cc.com/videos/qhpj5f/smokin--pole---canada-s-hockey-theme", "http://thecolbertreport.cc.com/videos/9bdggo/alan-rabinowitz" ], "guest": "Alan Rabinowitz" }, { "date": "2008-06-11", "videos": [ "http://thecolbertreport.cc.com/videos/373j1n/intro---6-11-08", "http://thecolbertreport.cc.com/videos/gbgmuk/israel-s-new-bird", "http://thecolbertreport.cc.com/videos/twddgu/the-word---u-s--airweighs", "http://thecolbertreport.cc.com/videos/pp8c40/un-american-news---u-s--election-edition", "http://thecolbertreport.cc.com/videos/zudzs0/david-hajdu", "http://thecolbertreport.cc.com/videos/idly59/memorized-script" ], "guest": "David Hajdu" }, { "date": "2008-06-12", "videos": [ "http://thecolbertreport.cc.com/videos/mpfrre/intro---6-12-08", "http://thecolbertreport.cc.com/videos/nsgvgc/stephen-colbert-s-make-mccain-exciting-challenge-", "http://thecolbertreport.cc.com/videos/86su5q/winona-laduke", "http://thecolbertreport.cc.com/videos/qrbimj/we-the-mediator", "http://thecolbertreport.cc.com/videos/t6nh85/dickson-despommier" ], "guest": "Winona LaDuke, Dixon Despommier" }, { "date": "2008-06-16", "videos": [ "http://thecolbertreport.cc.com/videos/vnwwom/intro---6-16-08", "http://thecolbertreport.cc.com/videos/6vk2ye/tim-russert-tribute", "http://thecolbertreport.cc.com/videos/mpqoje/the-word---ploy-cott", "http://thecolbertreport.cc.com/videos/cqvvlk/the-enemy-within---wizard-teachers", "http://thecolbertreport.cc.com/videos/8xg385/kenneth-miller" ], "guest": "Kenneth R. Miller" }, { "date": "2008-06-17", "videos": [ "http://thecolbertreport.cc.com/videos/jfofbj/intro---6-17-08", "http://thecolbertreport.cc.com/videos/kwlu8o/peabody-award", "http://thecolbertreport.cc.com/videos/tapfcu/neal-katyal", "http://thecolbertreport.cc.com/videos/fuhy6f/sport-report---timbersports-championship", "http://thecolbertreport.cc.com/videos/vcz3hv/jonathan-zittrain", "http://thecolbertreport.cc.com/videos/ci1ljt/peabody-on-mantel" ], "guest": "Neal Katyal, Jonathan Zittrain" }, { "date": "2008-06-18", "videos": [ "http://thecolbertreport.cc.com/videos/b2ddmd/intro---6-18-08", "http://thecolbertreport.cc.com/videos/prx5o1/the-new-smurfs-movie", "http://thecolbertreport.cc.com/videos/ciovvr/the-word---lexicon-artist", "http://thecolbertreport.cc.com/videos/vtx5qc/barack-obama-s-church-search---dr--uma-mysorekar", "http://thecolbertreport.cc.com/videos/ir7gne/junot-diaz" ], "guest": "Dr. Uma Mysorekar, Junot Diaz" }, { "date": "2008-06-19", "videos": [ "http://thecolbertreport.cc.com/videos/d6b6nb/intro---6-19-08", "http://thecolbertreport.cc.com/videos/6sj17e/shout-out---peabody-awards", "http://thecolbertreport.cc.com/videos/mr1053/sean-hannity-loves-america", "http://thecolbertreport.cc.com/videos/zcd35g/cookie-monster", "http://thecolbertreport.cc.com/videos/aytt4h/make-mccain-exciting-challenge---the-secret-of-mccain-s-brain", "http://thecolbertreport.cc.com/videos/m7daav/bishop-n-t--wright", "http://thecolbertreport.cc.com/videos/der3el/stephen-s-missing-peabody" ], "guest": "Bishop N.T. Wright" }, { "date": "2008-06-23", "videos": [ "http://thecolbertreport.cc.com/videos/ua8qbe/intro---6-23-08", "http://thecolbertreport.cc.com/videos/a4nt5i/wriststrong-anniversary", "http://thecolbertreport.cc.com/videos/kj72hq/the-word---black-and-white", "http://thecolbertreport.cc.com/videos/vlidof/tip-wag---barack-obama", "http://thecolbertreport.cc.com/videos/ymze92/barbara-ehrenreich", "http://thecolbertreport.cc.com/videos/1f40by/sign-off---time-for-stephen-to-watch" ], "guest": "Barbara Ehrenreich" }, { "date": "2008-06-24", "videos": [ "http://thecolbertreport.cc.com/videos/mhd7wr/intro---6-24-08", "http://thecolbertreport.cc.com/videos/n11h6w/hollywood-face-violence", "http://thecolbertreport.cc.com/videos/ov4362/oil-crisis", "http://thecolbertreport.cc.com/videos/hxtoyj/the-word---bleep", "http://thecolbertreport.cc.com/videos/f5yznc/dr--jason-bond", "http://thecolbertreport.cc.com/videos/ilejmp/will-smith" ], "guest": "Jason Bond, Will Smith" }, { "date": "2008-06-25", "videos": [ "http://thecolbertreport.cc.com/videos/mdtg3q/intro---6-25-08", "http://thecolbertreport.cc.com/videos/q0qc77/paul-goldberger", "http://thecolbertreport.cc.com/videos/ajsxzq/judge--jury---executioner---whales", "http://thecolbertreport.cc.com/videos/zucjth/neil-degrasse-tyson", "http://thecolbertreport.cc.com/videos/2r47v6/stephen-s-gun" ], "guest": "Paul Goldberger, Neil deGrasse Tyson" }, { "date": "2008-06-26", "videos": [ "http://thecolbertreport.cc.com/videos/gvc60t/intro---6-26-08", "http://thecolbertreport.cc.com/videos/038ej3/stephen-and-sweetness", "http://thecolbertreport.cc.com/videos/txteih/the-tank-is-half-full---criminals", "http://thecolbertreport.cc.com/videos/hdan1z/difference-makers---steve-pelkey", "http://thecolbertreport.cc.com/videos/6vucxh/robert-wexler", "http://thecolbertreport.cc.com/videos/s7cul5/stephen-packs-for-his-trip" ], "guest": "Rep. Robert Wexler" }, { "date": "2008-07-14", "videos": [ "http://thecolbertreport.cc.com/videos/a4vl00/intro---7-14-08", "http://thecolbertreport.cc.com/videos/t1ic5h/belgians-buy-budweiser", "http://thecolbertreport.cc.com/videos/e8zxmm/the-word---priceless", "http://thecolbertreport.cc.com/videos/6fnysv/barack-obama-s-church-search---lama-surya-das", "http://thecolbertreport.cc.com/videos/iuafl5/daniel-c--esty", "http://thecolbertreport.cc.com/videos/zeelo6/one-last-sip" ], "guest": "Lama Surya Das, Daniel C. Esty" }, { "date": "2008-07-15", "videos": [ "http://thecolbertreport.cc.com/videos/btd58c/intro---7-15-08", "http://thecolbertreport.cc.com/videos/iojfbw/the-new-yorker-cover", "http://thecolbertreport.cc.com/videos/4r3fs4/julia-e--sweig", "http://thecolbertreport.cc.com/videos/slbivd/difference-makers---donald-trump", "http://thecolbertreport.cc.com/videos/w3v1ei/jason-riley" ], "guest": "Julia E. Sweig, Jason Riley" }, { "date": "2008-07-16", "videos": [ "http://thecolbertreport.cc.com/videos/apzepe/intro---7-16-08", "http://thecolbertreport.cc.com/videos/nxgrjc/rush-is-here", "http://thecolbertreport.cc.com/videos/u9v0kj/the-word---placebo", "http://thecolbertreport.cc.com/videos/r6ylvr/alpha-dog-of-the-week---george-w--bush" ], "guest": "Rush" }, { "date": "2008-07-17", "videos": [ "http://thecolbertreport.cc.com/videos/fv156w/intro---7-17-08", "http://thecolbertreport.cc.com/videos/hy6e1y/ofec", "http://thecolbertreport.cc.com/videos/fdazma/tip-wag---9-11-billboard", "http://thecolbertreport.cc.com/videos/75y9kg/green-screen-challenge---bill-o-reilly-rant", "http://thecolbertreport.cc.com/videos/ti6y23/elizabeth-edwards", "http://thecolbertreport.cc.com/videos/2i4pii/esquire-cover" ], "guest": "Elizabeth Edwards" }, { "date": "2008-07-21", "videos": [ "http://thecolbertreport.cc.com/videos/ypasrv/exclusive---better-know-a-lobby---sierra-club", "http://thecolbertreport.cc.com/videos/298hev/intro---7-21-08", "http://thecolbertreport.cc.com/videos/2uxo91/barack-obama-s-elitist-summer-abroad", "http://thecolbertreport.cc.com/videos/ytt7lh/better-know-a-lobby---sierra-club", "http://thecolbertreport.cc.com/videos/7zt9o1/jim-webb" ], "guest": "Sen. Jim Webb" }, { "date": "2008-07-22", "videos": [ "http://thecolbertreport.cc.com/videos/isgn6o/intro---7-22-08", "http://thecolbertreport.cc.com/videos/5us80y/obama-s-trip", "http://thecolbertreport.cc.com/videos/twxrmk/the-word---fight-to-the-furnish", "http://thecolbertreport.cc.com/videos/g536lz/elton-john-s-new-ice-cream", "http://thecolbertreport.cc.com/videos/dqvjy7/south-carolina-is-so-gay", "http://thecolbertreport.cc.com/videos/ypbiy1/margaret-spellings" ], "guest": "Margaret Spellings" }, { "date": "2008-07-23", "videos": [ "http://thecolbertreport.cc.com/videos/ephzov/intro---7-23-08", "http://thecolbertreport.cc.com/videos/008wql/starbucks-closings", "http://thecolbertreport.cc.com/videos/ckerul/the-word---join-the-european-union", "http://thecolbertreport.cc.com/videos/p099m0/colorofchange-org-petition", "http://thecolbertreport.cc.com/videos/ef4747/nas-pt--1" ], "guest": "Nas" }, { "date": "2008-07-24", "videos": [ "http://thecolbertreport.cc.com/videos/9e4ipx/intro---7-24-08", "http://thecolbertreport.cc.com/videos/mzk1jw/john-mccain-s-sausage-party", "http://thecolbertreport.cc.com/videos/y6db2n/laurie-goodstein", "http://thecolbertreport.cc.com/videos/oyh9ck/threatdown---greek-courts", "http://thecolbertreport.cc.com/videos/qkxsxv/garrett-reisman", "http://thecolbertreport.cc.com/videos/my4p2n/decoder-rings" ], "guest": "Laurie Goodstein, Garrett Reisman" }, { "date": "2008-07-28", "videos": [ "http://thecolbertreport.cc.com/videos/5mv6ij/intro---7-28-08", "http://thecolbertreport.cc.com/videos/ahi7x5/obama-returns", "http://thecolbertreport.cc.com/videos/n5o1z2/heroic-refusal-to-discuss-robert-novak", "http://thecolbertreport.cc.com/videos/wksh33/trigger-happy---d-c--v--heller", "http://thecolbertreport.cc.com/videos/2fxv2r/toby-keith" ], "guest": "Toby Keith" }, { "date": "2008-07-29", "videos": [ "http://thecolbertreport.cc.com/videos/8y4ush/intro---7-29-08", "http://thecolbertreport.cc.com/videos/ft9iza/mccain-s-mustache", "http://thecolbertreport.cc.com/videos/je97nz/the-word---honest-belief", "http://thecolbertreport.cc.com/videos/079fu3/better-know-a-district---new-york-s-14th---carolyn-maloney", "http://thecolbertreport.cc.com/videos/4pok23/eric-roston" ], "guest": "Eric Roston" }, { "date": "2008-07-30", "videos": [ "http://thecolbertreport.cc.com/videos/aej937/intro---7-30-08", "http://thecolbertreport.cc.com/videos/0igq3j/fat-cat", "http://thecolbertreport.cc.com/videos/z8lld1/the-word---save-ferris", "http://thecolbertreport.cc.com/videos/77hd54/spiders-for-stephen-", "http://thecolbertreport.cc.com/videos/9riu8g/canton-apology", "http://thecolbertreport.cc.com/videos/paplnu/crosby--stills---nash-pt--1" ], "guest": "Crosby, Stills &amp; Nash" }, { "date": "2008-07-31", "videos": [ "http://thecolbertreport.cc.com/videos/2yeaq8/intro---7-31-08", "http://thecolbertreport.cc.com/videos/cy7kpu/starbucks-cuts-jobs", "http://thecolbertreport.cc.com/videos/evgv9c/brendan-koerner", "http://thecolbertreport.cc.com/videos/3pi9ch/cheating-death---swimming-safety", "http://thecolbertreport.cc.com/videos/k8sku2/buzz-aldrin", "http://thecolbertreport.cc.com/videos/xrkpup/thanks-to-the-guests" ], "guest": "Brendan I. Koerner, Buzz Aldrin" }, { "date": "2008-08-04", "videos": [ "http://thecolbertreport.cc.com/videos/y56p3h/intro---8-4-08", "http://thecolbertreport.cc.com/videos/j7c1ly/democrats--five-week-recess", "http://thecolbertreport.cc.com/videos/n4qhgk/the-word---we-the-people", "http://thecolbertreport.cc.com/videos/gjy6co/ryan-seacrest-s-shark-attack", "http://thecolbertreport.cc.com/videos/j0iwzv/lucas-conley" ], "guest": "Lucas Conley, The Apples in Stereo" }, { "date": "2008-08-05", "videos": [ "http://thecolbertreport.cc.com/videos/0b9ndt/intro---8-5-08", "http://thecolbertreport.cc.com/videos/a60qui/starbucks-promotion", "http://thecolbertreport.cc.com/videos/ts3set/obama-s-energy-plan---tire-gauges", "http://thecolbertreport.cc.com/videos/c8orpt/the-word---divided-we-win", "http://thecolbertreport.cc.com/videos/u7dbu9/canton--kansas-apology", "http://thecolbertreport.cc.com/videos/sw0u58/david-carr", "http://thecolbertreport.cc.com/videos/zghj54/obsessive-compulsive-checklist" ], "guest": "David Carr" }, { "date": "2008-08-06", "videos": [ "http://thecolbertreport.cc.com/videos/j12mau/intro---8-6-08", "http://thecolbertreport.cc.com/videos/ad4cbz/ignorance-history-month", "http://thecolbertreport.cc.com/videos/v2zmtk/spida-of-love---jason-bond", "http://thecolbertreport.cc.com/videos/luli3g/colbert-platinum---the-dribble-down-effect", "http://thecolbertreport.cc.com/videos/3pe5h3/kevin-costner", "http://thecolbertreport.cc.com/videos/ot8cw0/spanish-audio" ], "guest": "Jason Bond, Kevin Costner" }, { "date": "2008-08-07", "videos": [ "http://thecolbertreport.cc.com/videos/bxoz3a/intro---8-7-08", "http://thecolbertreport.cc.com/videos/e6qhsv/osama-bin-laden-s-driver-guilty", "http://thecolbertreport.cc.com/videos/f3opxi/sport-report---devin-gordon", "http://thecolbertreport.cc.com/videos/6u4m61/tip-wag---exxon-s-record-profits", "http://thecolbertreport.cc.com/videos/dmymte/thomas-frank", "http://thecolbertreport.cc.com/videos/iwrdpe/reading-newsweek" ], "guest": "Devin Gordon, Thomas Frank" }, { "date": "2008-08-11", "videos": [ "http://thecolbertreport.cc.com/videos/jk0e27/intro---8-11-08", "http://thecolbertreport.cc.com/videos/riwpa4/esteban-loves-jorge-ramos", "http://thecolbertreport.cc.com/videos/bfwvvn/the-word---catharsis", "http://thecolbertreport.cc.com/videos/txv0gu/nailed--em---medical-marijuana", "http://thecolbertreport.cc.com/videos/8j40t0/jorge-ramos", "http://thecolbertreport.cc.com/videos/b7houz/stephen-wants-snacks" ], "guest": "Jorge Ramos" }, { "date": "2008-08-12", "videos": [ "http://thecolbertreport.cc.com/videos/kt49i5/intro---8-12-08", "http://thecolbertreport.cc.com/videos/zgupdj/unsubstantiated-rumors", "http://thecolbertreport.cc.com/videos/6d57uu/olympic-opening-ceremony", "http://thecolbertreport.cc.com/videos/5njkui/joey-cheek", "http://thecolbertreport.cc.com/videos/jhg2wn/canton--south-dakota-apology", "http://thecolbertreport.cc.com/videos/bv3152/jane-mayer", "http://thecolbertreport.cc.com/videos/dwnfyl/reading-the-national-enquirer" ], "guest": "Joey Cheek, Jane Mayer" }, { "date": "2008-08-13", "videos": [ "http://thecolbertreport.cc.com/videos/o7nbb7/intro---8-13-08", "http://thecolbertreport.cc.com/videos/zewvls/stephen-s-world-record", "http://thecolbertreport.cc.com/videos/3ae93q/john-mccain-steals-from-wikipedia", "http://thecolbertreport.cc.com/videos/htzkd9/the-word---blame-monica-goodling", "http://thecolbertreport.cc.com/videos/1clyqz/formidable-opponent---offshore-drilling", "http://thecolbertreport.cc.com/videos/yplzsy/dick-meyer", "http://thecolbertreport.cc.com/videos/x9tyb8/goodbye-from-wprg" ], "guest": "Dick Meyer" }, { "date": "2008-08-14", "videos": [ "http://thecolbertreport.cc.com/videos/481cqy/intro---8-14-08", "http://thecolbertreport.cc.com/videos/0gs1a9/jeopardy-shout-out", "http://thecolbertreport.cc.com/videos/s99fxp/threatdown---killer-iphones", "http://thecolbertreport.cc.com/videos/9x55ta/the-1952-helsinki-games---the-reindeer-roars", "http://thecolbertreport.cc.com/videos/ebnqyp/bing-west", "http://thecolbertreport.cc.com/videos/h0yxjt/gold-medals" ], "guest": "Bing West" }, { "date": "2008-08-26", "videos": [ "http://thecolbertreport.cc.com/videos/r6ivli/intro---8-26-08", "http://thecolbertreport.cc.com/videos/zpxtn2/burning-man-festival-confusion", "http://thecolbertreport.cc.com/videos/ez5jp1/michelle-obama-s-speech", "http://thecolbertreport.cc.com/videos/tojy8p/anniversary-pandering", "http://thecolbertreport.cc.com/videos/ax1v4e/bob-barr", "http://thecolbertreport.cc.com/videos/f120f5/scott-mcclellan", "http://thecolbertreport.cc.com/videos/twqqkj/up-next" ], "guest": "Rep. Bob Barr, Scott McClellan" }, { "date": "2008-08-27", "videos": [ "http://thecolbertreport.cc.com/videos/mb4pgm/intro---8-27-08", "http://thecolbertreport.cc.com/videos/63yvi3/live-from-dynasty", "http://thecolbertreport.cc.com/videos/xfzios/hillary-clinton-supports-barack-obama", "http://thecolbertreport.cc.com/videos/m1mag5/repo-man", "http://thecolbertreport.cc.com/videos/402muh/mike-huckabee", "http://thecolbertreport.cc.com/videos/llvqjv/stephanie-tubbs-jones-tribute" ], "guest": "Gov. Mike Huckabee" }, { "date": "2008-08-28", "videos": [ "http://thecolbertreport.cc.com/videos/ua1ppo/intro---8-28-08", "http://thecolbertreport.cc.com/videos/9lke5e/high-altitude-brownies", "http://thecolbertreport.cc.com/videos/53s26i/the-word---acid-flashback", "http://thecolbertreport.cc.com/videos/kmna3f/dnc-formal-roll-call", "http://thecolbertreport.cc.com/videos/eifqog/richard-brookhiser", "http://thecolbertreport.cc.com/videos/c42fhd/stephen-s-brownies" ], "guest": "Rick Brookhiser" }, { "date": "2008-08-29", "videos": [ "http://thecolbertreport.cc.com/videos/7p5vgn/intro---8-29-08", "http://thecolbertreport.cc.com/videos/ctsiz5/sarah-palin-for-vp", "http://thecolbertreport.cc.com/videos/9os3w0/better-know-a-lobby---secular-coalition-for-america", "http://thecolbertreport.cc.com/videos/rufbl6/john-mcwhorter", "http://thecolbertreport.cc.com/videos/bzvjxb/revenge-of-the-styrofoam-cups" ], "guest": "John McWhorter" }, { "date": "2008-09-02", "videos": [ "http://thecolbertreport.cc.com/videos/hp450x/intro---9-2-08", "http://thecolbertreport.cc.com/videos/8tw46w/stephen-from-four-years-ago", "http://thecolbertreport.cc.com/videos/rf8uos/the-word---that-s-the-ticket", "http://thecolbertreport.cc.com/videos/gmnlx9/green-screen-challenge---last-shot", "http://thecolbertreport.cc.com/videos/f81p33/laura-d-andrea-tyson", "http://thecolbertreport.cc.com/videos/xhysj6/blowing-your-mind" ], "guest": "Laura D'Andrea Tyson" }, { "date": "2008-09-03", "videos": [ "http://thecolbertreport.cc.com/videos/gujtwh/intro---9-3-08", "http://thecolbertreport.cc.com/videos/kepht9/stephen-is-in-new-orleans", "http://thecolbertreport.cc.com/videos/sbatmc/rnc-tuesday", "http://thecolbertreport.cc.com/videos/awnw4i/susan-eisenhower-endorses-obama", "http://thecolbertreport.cc.com/videos/4cdiam/john-mccain--her-story", "http://thecolbertreport.cc.com/videos/x8u7qp/doris-kearns-goodwin", "http://thecolbertreport.cc.com/videos/rk1eeg/who-wants-beads-" ], "guest": "Doris Kearns Goodwin" }, { "date": "2008-09-04", "videos": [ "http://thecolbertreport.cc.com/videos/nvj1zq/intro---9-4-08", "http://thecolbertreport.cc.com/videos/1cwp12/stuck-in-atlanta-airport", "http://thecolbertreport.cc.com/videos/kyo8u3/adam-brickley", "http://thecolbertreport.cc.com/videos/c6ux4z/tip-wag---rnc-edition", "http://thecolbertreport.cc.com/videos/yywrwl/ron-paul", "http://thecolbertreport.cc.com/videos/kwoupb/flight-out-of-atlanta" ], "guest": "Adam Brickley, Ron Paul" }, { "date": "2008-09-05", "videos": [ "http://thecolbertreport.cc.com/videos/pg1oxm/intro---9-5-08", "http://thecolbertreport.cc.com/videos/2rjlbj/stephen-missed-the-convention", "http://thecolbertreport.cc.com/videos/njb4bu/green-screen-challenge---john-mccain-s-acceptance-speech", "http://thecolbertreport.cc.com/videos/zk7gig/better-know-a-district---georgia-s-8th---lynn-westmoreland-update", "http://thecolbertreport.cc.com/videos/xeizbt/david-paterson", "http://thecolbertreport.cc.com/videos/u3k61y/green-screen-challenge---go-nuts" ], "guest": "Gov. David Paterson" }, { "date": "2008-09-15", "videos": [ "http://thecolbertreport.cc.com/videos/jshk87/exclusive---charlene--i-m-right-behind-you----rock-band-2", "http://thecolbertreport.cc.com/videos/jfwpwo/intro---9-15-08", "http://thecolbertreport.cc.com/videos/7yzozt/colbert-shopping-network", "http://thecolbertreport.cc.com/videos/f9h01l/the-word---how-dare-you-", "http://thecolbertreport.cc.com/videos/r0u91k/colbert-platinum---supermodel-statue", "http://thecolbertreport.cc.com/videos/ihx562/peter-j--gomes", "http://thecolbertreport.cc.com/videos/4ebszq/another-episode" ], "guest": "Rev. Peter J. Gomes" }, { "date": "2008-09-16", "videos": [ "http://thecolbertreport.cc.com/videos/urn1ti/intro---9-16-08", "http://thecolbertreport.cc.com/videos/k0bsca/financial-advice-from-gorlock", "http://thecolbertreport.cc.com/videos/mkpl4k/tyson-slocum", "http://thecolbertreport.cc.com/videos/75xh2f/threatdown---icebergs-", "http://thecolbertreport.cc.com/videos/3tm40j/rick-reilly", "http://thecolbertreport.cc.com/videos/vnf5o3/thirty-minutes" ], "guest": "Tyson Slocum, Rick Reilly" }, { "date": "2008-09-17", "videos": [ "http://thecolbertreport.cc.com/videos/4l5nqm/intro---9-17-08", "http://thecolbertreport.cc.com/videos/y012iz/mccain-attacks-obama", "http://thecolbertreport.cc.com/videos/kyb0cu/the-word---powerless", "http://thecolbertreport.cc.com/videos/n6eo9j/country-first", "http://thecolbertreport.cc.com/videos/uwjjvf/bob-lutz", "http://thecolbertreport.cc.com/videos/3odd8c/stephen---the-colberts--music-video" ], "guest": "Bob Lutz" }, { "date": "2008-09-18", "videos": [ "http://thecolbertreport.cc.com/videos/crbm2j/intro---9-18-08", "http://thecolbertreport.cc.com/videos/1jklj8/stephen-wants-an-emmy", "http://thecolbertreport.cc.com/videos/j1rb59/smokin--pole---american-arctic-expert", "http://thecolbertreport.cc.com/videos/jgr23t/richard-garriott-takes-stephen-to-space", "http://thecolbertreport.cc.com/videos/r2z9cm/maria-bartiromo", "http://thecolbertreport.cc.com/videos/f0iah5/off-to-the-emmys" ], "guest": "Maria Bartiromo" }, { "date": "2008-09-23", "videos": [ "http://thecolbertreport.cc.com/videos/s3o9jz/intro---9-23-08", "http://thecolbertreport.cc.com/videos/ikji5j/stephen-loses-to-don-rickles", "http://thecolbertreport.cc.com/videos/vj8wko/the-word---ohmygodsocietyiscollapsing---", "http://thecolbertreport.cc.com/videos/bna75w/peter-grosz-insults", "http://thecolbertreport.cc.com/videos/iscpss/john-mccain-s-theme-song", "http://thecolbertreport.cc.com/videos/8uwmb0/jackson-browne" ], "guest": "Jackson Browne" }, { "date": "2008-09-24", "videos": [ "http://thecolbertreport.cc.com/videos/5k16zp/intro---9-24-08", "http://thecolbertreport.cc.com/videos/zxun4o/stephen-suspends-the-show", "http://thecolbertreport.cc.com/videos/y03i0s/joe-nocera", "http://thecolbertreport.cc.com/videos/ug1eaa/alpha-dog-of-the-week---bill-bennett", "http://thecolbertreport.cc.com/videos/m77ip1/cornel-west", "http://thecolbertreport.cc.com/videos/5lq5u2/colbertnation-com" ], "guest": "Joe Nocera, Cornel West" }, { "date": "2008-09-25", "videos": [ "http://thecolbertreport.cc.com/videos/c2lklm/intro---9-25-08", "http://thecolbertreport.cc.com/videos/n6lmpg/stephen-settles-the-debate---fdr-vs--tr", "http://thecolbertreport.cc.com/videos/k6o1ga/now-s-presidential-endorsement---kim-gandy", "http://thecolbertreport.cc.com/videos/bqde8h/nicholas-carr", "http://thecolbertreport.cc.com/videos/c44c8h/one-more-thing" ], "guest": "Nicholas Carr" }, { "date": "2008-09-29", "videos": [ "http://thecolbertreport.cc.com/videos/1c54hn/intro---9-29-08", "http://thecolbertreport.cc.com/videos/05f4cg/the-first-debate-winner", "http://thecolbertreport.cc.com/videos/bweuwc/the-word---ye-of-little-faith", "http://thecolbertreport.cc.com/videos/cgij7r/cheating-death---car-bacteria", "http://thecolbertreport.cc.com/videos/vp621m/paul-begala", "http://thecolbertreport.cc.com/videos/gpa8yw/good-night" ], "guest": "Paul Begala" }, { "date": "2008-09-30", "videos": [ "http://thecolbertreport.cc.com/videos/y8hkhe/intro---9-30-08", "http://thecolbertreport.cc.com/videos/9st6mt/partisanship-kills-the-bailout", "http://thecolbertreport.cc.com/videos/f9oh9q/prescott-oil-loves-the-earth", "http://thecolbertreport.cc.com/videos/d0zdru/tip-wag---wall-street-jagoffs", "http://thecolbertreport.cc.com/videos/j67wur/out-of-time" ], "guest": "James Taylor" }, { "date": "2008-10-01", "videos": [ "http://thecolbertreport.cc.com/videos/t7tnvd/exclusive---nas-plays-rock-band", "http://thecolbertreport.cc.com/videos/y8hkhe/intro---9-30-08", "http://thecolbertreport.cc.com/videos/9st6mt/partisanship-kills-the-bailout", "http://thecolbertreport.cc.com/videos/f9oh9q/prescott-oil-loves-the-earth", "http://thecolbertreport.cc.com/videos/d0zdru/tip-wag---wall-street-jagoffs", "http://thecolbertreport.cc.com/videos/j67wur/out-of-time" ], "guest": "Dave Levin" }, { "date": "2008-10-01", "videos": [ "http://thecolbertreport.cc.com/videos/eqbu4l/intro---10-01-08", "http://thecolbertreport.cc.com/videos/ovyu4c/campbell-s-soup-stock", "http://thecolbertreport.cc.com/videos/bhfa94/the-word---future-perfect", "http://thecolbertreport.cc.com/videos/86s1x0/colbert-teen-talk---voter-abstinence", "http://thecolbertreport.cc.com/videos/1v6olb/dave-levin", "http://thecolbertreport.cc.com/videos/e5ngk1/you-snooze--you-lose" ], "guest": "Dave Levin" }, { "date": "2008-10-02", "videos": [ "http://thecolbertreport.cc.com/videos/zc7pti/intro---10-02-08", "http://thecolbertreport.cc.com/videos/jwi5c6/stephen-shoots-an-audience-member", "http://thecolbertreport.cc.com/videos/nkfn9g/shakespearean-candidates---stephen-greenblatt", "http://thecolbertreport.cc.com/videos/9cm5sl/formidable-opponent---business-syphilis", "http://thecolbertreport.cc.com/videos/kvfh5w/naomi-klein", "http://thecolbertreport.cc.com/videos/xsttzx/that-s-all-she-wrote" ], "guest": "Stephen Greenblatt, Naomi Klein" }, { "date": "2008-10-06", "videos": [ "http://thecolbertreport.cc.com/videos/xxiviw/intro---10-6-08", "http://thecolbertreport.cc.com/videos/1hb3kb/oj-simpson-guilty", "http://thecolbertreport.cc.com/videos/qlbk95/the-word---maverick-without-a-cause", "http://thecolbertreport.cc.com/videos/qnwvgs/un-american-news---financial-edition", "http://thecolbertreport.cc.com/videos/tn9q1r/jim-cramer", "http://thecolbertreport.cc.com/videos/gpjjik/life-drawing-lesson" ], "guest": "Jim Cramer" }, { "date": "2008-10-07", "videos": [ "http://thecolbertreport.cc.com/videos/lr7n1e/intro---10-7-08", "http://thecolbertreport.cc.com/videos/ehcjcu/stephen-s-town-hall", "http://thecolbertreport.cc.com/videos/yulr8u/threatdown---zombies", "http://thecolbertreport.cc.com/videos/e56sfz/the-red-lending-menace", "http://thecolbertreport.cc.com/videos/xoy3ny/nate-silver", "http://thecolbertreport.cc.com/videos/0t800l/phone-book" ], "guest": "Nate Silver" }, { "date": "2008-10-08", "videos": [ "http://thecolbertreport.cc.com/videos/wnllod/intro---10-08-08", "http://thecolbertreport.cc.com/videos/rb63v8/town-hall-fashion-apology", "http://thecolbertreport.cc.com/videos/pmvhoi/the-second-presidential-debate", "http://thecolbertreport.cc.com/videos/r8hb9t/atone-phone---gilbert-gottfried", "http://thecolbertreport.cc.com/videos/7943ea/joe-scarborough", "http://thecolbertreport.cc.com/videos/02dsh7/stephen-s-post-show-routine" ], "guest": "Joe Scarborough" }, { "date": "2008-10-09", "videos": [ "http://thecolbertreport.cc.com/videos/cbxmlr/intro---10-09-08", "http://thecolbertreport.cc.com/videos/l3uq93/dismayed-stockbroker-photos", "http://thecolbertreport.cc.com/videos/pqsng6/campaign-personal-attacks---david-gergen", "http://thecolbertreport.cc.com/videos/f6283x/who-s-not-honoring-me-now----nepal", "http://thecolbertreport.cc.com/videos/ge3feb/oliver-stone", "http://thecolbertreport.cc.com/videos/w87c40/bad-news" ], "guest": "David Gergen, Oliver Stone" }, { "date": "2008-10-13", "videos": [ "http://thecolbertreport.cc.com/videos/5c0f2m/intro---10-13-08", "http://thecolbertreport.cc.com/videos/fnytnd/mccain-crossword-clue", "http://thecolbertreport.cc.com/videos/1jl5yn/the-computer-menace---bethany-mclean", "http://thecolbertreport.cc.com/videos/1goeih/bears---balls---salt-based-economy", "http://thecolbertreport.cc.com/videos/gyyaxy/kathleen-parker", "http://thecolbertreport.cc.com/videos/6y4q65/happy-birthday" ], "guest": "Bethany McLean, Kathleen Parker" }, { "date": "2008-10-14", "videos": [ "http://thecolbertreport.cc.com/videos/n5hrc3/intro---10-14-08", "http://thecolbertreport.cc.com/videos/7pd7zc/paul-krugman-s-nobel-prize", "http://thecolbertreport.cc.com/videos/r0q5ve/the-word---p-o-w-", "http://thecolbertreport.cc.com/videos/pfbd0x/tip-wag---palin-s-newsweek-cover", "http://thecolbertreport.cc.com/videos/usq8wp/joseph-stiglitz", "http://thecolbertreport.cc.com/videos/lvn4rk/good-night" ], "guest": "Joseph Stiglitz" }, { "date": "2008-10-15", "videos": [ "http://thecolbertreport.cc.com/videos/zwbmit/intro---10-15-08", "http://thecolbertreport.cc.com/videos/9308mk/kfc-snacker", "http://thecolbertreport.cc.com/videos/l7yb6p/the-word---freaky-three-way-calling", "http://thecolbertreport.cc.com/videos/4e7lhp/sport-report---lame-sports-edition", "http://thecolbertreport.cc.com/videos/38m5c1/tina-brown", "http://thecolbertreport.cc.com/videos/8g4g6k/chest-tivo" ], "guest": "Tina Brown" }, { "date": "2008-10-16", "videos": [ "http://thecolbertreport.cc.com/videos/wiiett/intro---10-16-08", "http://thecolbertreport.cc.com/videos/clx1g3/the-final-debate", "http://thecolbertreport.cc.com/videos/irar1b/portrait-accepted---brent-glass", "http://thecolbertreport.cc.com/videos/vhpq80/robert-greenwald", "http://thecolbertreport.cc.com/videos/dtl1jb/a-new-portrait" ], "guest": "Brent Glass, Robert Greenwald" }, { "date": "2008-10-20", "videos": [ "http://thecolbertreport.cc.com/videos/icr62o/intro---10-20-08", "http://thecolbertreport.cc.com/videos/hztig3/colin-powell-endorses-barack-obama", "http://thecolbertreport.cc.com/videos/m2bwgq/fareed-zakaria", "http://thecolbertreport.cc.com/videos/f1sjmz/colbert-aluminum---paris", "http://thecolbertreport.cc.com/videos/ihme7b/wynton-marsalis", "http://thecolbertreport.cc.com/videos/1zx8mm/good-night" ], "guest": "Fareed Zakaria, Wynton Marsalis" }, { "date": "2008-10-21", "videos": [ "http://thecolbertreport.cc.com/videos/ipzwmk/intro---10-21-08", "http://thecolbertreport.cc.com/videos/1q0lgd/stephen-jr--campaigns-for-mccain", "http://thecolbertreport.cc.com/videos/6mt8jf/the-word---fantasyland", "http://thecolbertreport.cc.com/videos/yf6nbq/battle-of-the-gods", "http://thecolbertreport.cc.com/videos/ajdj8y/atone-phone---the-pony-down", "http://thecolbertreport.cc.com/videos/2f3tuj/michael-farris", "http://thecolbertreport.cc.com/videos/gsnyc0/another-one-tomorrow" ], "guest": "Michael Farris" }, { "date": "2008-10-22", "videos": [ "http://thecolbertreport.cc.com/videos/zfo3j9/intro---10-22-08", "http://thecolbertreport.cc.com/videos/bnfehb/mccain-loves-the-middle-class", "http://thecolbertreport.cc.com/videos/2fhvot/too-much-political-knowledge", "http://thecolbertreport.cc.com/videos/l9sa9k/movies-that-are-destroying-america---quantum-of-solace", "http://thecolbertreport.cc.com/videos/bfif72/david-frum", "http://thecolbertreport.cc.com/videos/zijniy/thanks-to-cedric-the-entertainer" ], "guest": "David Frum" }, { "date": "2008-10-23", "videos": [ "http://thecolbertreport.cc.com/videos/4fsdf9/intro---10-23-08", "http://thecolbertreport.cc.com/videos/mxdemq/the-palins-in-people-magazine", "http://thecolbertreport.cc.com/videos/9r8mtw/threatdown---who-s-nailin--paylin", "http://thecolbertreport.cc.com/videos/d9d59e/difference-makers---the-national-hummer-club", "http://thecolbertreport.cc.com/videos/vu40sp/jonathan-alter", "http://thecolbertreport.cc.com/videos/4q4n65/a-short-goodbye" ], "guest": "Jonathan Alter" }, { "date": "2008-10-27", "videos": [ "http://thecolbertreport.cc.com/videos/59kvnn/intro---10-27-08", "http://thecolbertreport.cc.com/videos/o5x5iu/mccain-guarantees-victory", "http://thecolbertreport.cc.com/videos/05r6nq/the-word---it-s-alive-", "http://thecolbertreport.cc.com/videos/7g8kx1/alpha-dog-of-the-week---mark-ciptak", "http://thecolbertreport.cc.com/videos/fnuvdv/yo-yo-ma" ], "guest": "Yo-Yo Ma" }, { "date": "2008-10-28", "videos": [ "http://thecolbertreport.cc.com/videos/ghj64m/intro---10-28-08", "http://thecolbertreport.cc.com/videos/xk09yu/ted-stevens-is-found-guilty", "http://thecolbertreport.cc.com/videos/7j217q/obama-the-socialist", "http://thecolbertreport.cc.com/videos/bxzmkn/socialist-candidate-for-president---brian-moore", "http://thecolbertreport.cc.com/videos/wz2u1e/canton--ohio", "http://thecolbertreport.cc.com/videos/ytg04i/sherman-alexie", "http://thecolbertreport.cc.com/videos/jz4m1g/tickets-to-canada" ], "guest": "Brian Moore, Sherman Alexie" }, { "date": "2008-10-29", "videos": [ "http://thecolbertreport.cc.com/videos/ix1wn7/intro---10-29-08", "http://thecolbertreport.cc.com/videos/ks5pt8/john-mccain-s-big-prank", "http://thecolbertreport.cc.com/videos/7qwbk4/the-word---i-endorse-barack-obama", "http://thecolbertreport.cc.com/videos/k5qv33/was-it-really-that-bad----the-great-depression", "http://thecolbertreport.cc.com/videos/cxwcsb/david-simon", "http://thecolbertreport.cc.com/videos/prhqai/colbert-completists" ], "guest": "David Simon" }, { "date": "2008-10-30", "videos": [ "http://thecolbertreport.cc.com/videos/9sqk1r/intro---10-30-08", "http://thecolbertreport.cc.com/videos/b7m8ic/obama-infomercial", "http://thecolbertreport.cc.com/videos/7mbhhk/tip-wag---apple-computers", "http://thecolbertreport.cc.com/videos/tiopht/the-dacolbert-code---the-election", "http://thecolbertreport.cc.com/videos/ugfx1s/wilco-interview" ], "guest": "Wilco" }, { "date": "2008-11-03", "videos": [ "http://thecolbertreport.cc.com/videos/gc439u/intro---11-03-08", "http://thecolbertreport.cc.com/videos/jtvn9v/2008-campaign-winners-and-losers", "http://thecolbertreport.cc.com/videos/q31c3b/charlie-cook", "http://thecolbertreport.cc.com/videos/syw57q/how-to-be-a-maverick", "http://thecolbertreport.cc.com/videos/3lix4b/andrew-sullivan", "http://thecolbertreport.cc.com/videos/5snsio/election-eve-prayer" ], "guest": "Charlie Cook, Andrew Sullivan" }, { "date": "2008-11-05", "videos": [ "http://thecolbertreport.cc.com/videos/deihkn/intro---11-05-08", "http://thecolbertreport.cc.com/videos/ek3v6r/president-obama", "http://thecolbertreport.cc.com/videos/p698of/the-word---change", "http://thecolbertreport.cc.com/videos/b3gurg/threatdown---black-presidents", "http://thecolbertreport.cc.com/videos/1bpyxl/andrew-young", "http://thecolbertreport.cc.com/videos/wmwkia/note-to-gorlock" ], "guest": "Ambassador Andrew Young" }, { "date": "2008-11-06", "videos": [ "http://thecolbertreport.cc.com/videos/jvmllx/intro---11-06-08", "http://thecolbertreport.cc.com/videos/8cjwkf/obama-s-spider-battle", "http://thecolbertreport.cc.com/videos/91wunt/un-american-news---obama-edition", "http://thecolbertreport.cc.com/videos/aedolr/fallback-position---peter-earnest-pt--1", "http://thecolbertreport.cc.com/videos/tp44lf/rachel-maddow" ], "guest": "Rachel Maddow" }, { "date": "2008-11-11", "videos": [ "http://thecolbertreport.cc.com/videos/3vbqce/intro---11-11-08", "http://thecolbertreport.cc.com/videos/t0o0ln/the-obamas-meet-the-bushes", "http://thecolbertreport.cc.com/videos/cf9i7o/proposition-8-protests---dan-savage", "http://thecolbertreport.cc.com/videos/a4htau/fallback-position---peter-earnest-pt--2", "http://thecolbertreport.cc.com/videos/97cxi9/kevin-johnson", "http://thecolbertreport.cc.com/videos/knwq1k/gay-black-violence" ], "guest": "Dan Savage, Kevin Johnson" }, { "date": "2008-11-12", "videos": [ "http://thecolbertreport.cc.com/videos/jxnavl/intro---11-12-08", "http://thecolbertreport.cc.com/videos/hs06sa/formula-4ou1", "http://thecolbertreport.cc.com/videos/jdc5wl/the-word---pity-party", "http://thecolbertreport.cc.com/videos/vq5z69/cheating-death---women-s-health", "http://thecolbertreport.cc.com/videos/h8pdku/bob-woodward", "http://thecolbertreport.cc.com/videos/yj3fvl/good-night" ], "guest": "Bob Woodward" }, { "date": "2008-11-13", "videos": [ "http://thecolbertreport.cc.com/videos/iy78xf/intro---11-13-08", "http://thecolbertreport.cc.com/videos/ws4itq/imaginary-gay-black-warfare", "http://thecolbertreport.cc.com/videos/54gy81/tip-wag---marvel-comics", "http://thecolbertreport.cc.com/videos/9so57k/rahm-emanuel-s-finger", "http://thecolbertreport.cc.com/videos/84locu/stephen-moore", "http://thecolbertreport.cc.com/videos/kwiam8/obama-spider-man-comic-bribe" ], "guest": "Stephen Moore" }, { "date": "2008-11-17", "videos": [ "http://thecolbertreport.cc.com/videos/edyiaw/intro---11-17-08", "http://thecolbertreport.cc.com/videos/vfh1d7/stephen-s-gma-appearance", "http://thecolbertreport.cc.com/videos/tyr5yf/barack-obama-is-hiring", "http://thecolbertreport.cc.com/videos/xubttj/obama-s-cabinet---tom-brokaw", "http://thecolbertreport.cc.com/videos/okezd5/soup-war", "http://thecolbertreport.cc.com/videos/lu8hmu/malcolm-gladwell", "http://thecolbertreport.cc.com/videos/f67l6s/stephen-drinks-soup" ], "guest": "Tom Brokaw, Malcolm Gladwell" }, { "date": "2008-11-18", "videos": [ "http://thecolbertreport.cc.com/videos/cpar3w/intro---11-18-08", "http://thecolbertreport.cc.com/videos/gpyfhe/joe-lieberman-learns-his-fate", "http://thecolbertreport.cc.com/videos/tda4m3/the-word---love-lost", "http://thecolbertreport.cc.com/videos/rfqomg/stephen-s-vetting-process---cliff-sloan-pt--1" ], "guest": "Paul Simon" }, { "date": "2008-11-19", "videos": [ "http://thecolbertreport.cc.com/videos/a4gbi9/intro---11-19-08", "http://thecolbertreport.cc.com/videos/3ebcnc/the-word---mad-men", "http://thecolbertreport.cc.com/videos/hjm6c3/stephen-s-vetting-process---cliff-sloan-pt--2", "http://thecolbertreport.cc.com/videos/p1vjk5/michael-lewis", "http://thecolbertreport.cc.com/videos/5n2dbq/tearful-apology" ], "guest": "Michael Lewis" }, { "date": "2008-11-20", "videos": [ "http://thecolbertreport.cc.com/videos/cbvik4/intro---11-20-08", "http://thecolbertreport.cc.com/videos/ag7dg1/racism-is-over---cory-booker", "http://thecolbertreport.cc.com/videos/2frm4q/metunes---chinese-democracy", "http://thecolbertreport.cc.com/videos/c48nk9/thomas-friedman", "http://thecolbertreport.cc.com/videos/bd8wju/christmas-special-dvd-warning" ], "guest": "Cory Booker, Thomas L. Friedman" }, { "date": "2008-12-01", "videos": [ "http://thecolbertreport.cc.com/videos/rpma6e/intro---12-01-08", "http://thecolbertreport.cc.com/videos/tq2nxp/operation-humble-kanye", "http://thecolbertreport.cc.com/videos/qarmhd/war-in-afghanistan", "http://thecolbertreport.cc.com/videos/rven6i/khaled-hosseini", "http://thecolbertreport.cc.com/videos/36dgrv/tip-wag---all-wag-christmas-edition", "http://thecolbertreport.cc.com/videos/7058uf/roland-fryer", "http://thecolbertreport.cc.com/videos/n1in3i/good-night" ], "guest": "Khaled Hosseini, Roland Fryer" }, { "date": "2008-12-02", "videos": [ "http://thecolbertreport.cc.com/videos/cj7hhg/intro---12-02-08", "http://thecolbertreport.cc.com/videos/qvwoip/operation-humble-kanye---buy-stephen-s-album", "http://thecolbertreport.cc.com/videos/ztjt9g/the-word---a-man-named-plaxico", "http://thecolbertreport.cc.com/videos/fic3d1/colbert-platinum---christmas-edition", "http://thecolbertreport.cc.com/videos/bshkcz/jeffrey-goldberg", "http://thecolbertreport.cc.com/videos/utntlq/buy-stephen-s-boots-on-ebay" ], "guest": "Jeffrey Goldberg" }, { "date": "2008-12-03", "videos": [ "http://thecolbertreport.cc.com/videos/il4wbl/intro---12-03-08", "http://thecolbertreport.cc.com/videos/owefww/nasa-spider-escapes", "http://thecolbertreport.cc.com/videos/z33t4w/the-word---barack-handed-compliment", "http://thecolbertreport.cc.com/videos/mcfi82/nailed--em---radical-knitting", "http://thecolbertreport.cc.com/videos/2karre/barbara-walters", "http://thecolbertreport.cc.com/videos/r6ufyo/the-end--not-the-beginning" ], "guest": "Barbara Walters" }, { "date": "2008-12-04", "videos": [ "http://thecolbertreport.cc.com/videos/d118oe/intro---12-04-08", "http://thecolbertreport.cc.com/videos/2fjry6/operation-humble-kanye---stephen-beats-kanye", "http://thecolbertreport.cc.com/videos/2d2zn0/pakistani-threat---bob-graham", "http://thecolbertreport.cc.com/videos/d5jif7/movies-that-are-destroying-america---holiday-movie-edition", "http://thecolbertreport.cc.com/videos/n7jvhg/nicholas-wade", "http://thecolbertreport.cc.com/videos/sugr09/returning-monday" ], "guest": "Sen. Bob Graham, Nicholas Wade" }, { "date": "2008-12-08", "videos": [ "http://thecolbertreport.cc.com/videos/7u2bhk/intro---12-08-08", "http://thecolbertreport.cc.com/videos/ao9vg7/bush-kisses-streisand", "http://thecolbertreport.cc.com/videos/gctknh/the-word---season-of-giving", "http://thecolbertreport.cc.com/videos/6153k5/barry---the-stump", "http://thecolbertreport.cc.com/videos/hpitea/geoffrey-canada", "http://thecolbertreport.cc.com/videos/0r2h5l/stephen-on-conan" ], "guest": "Geoffrey Canada" }, { "date": "2008-12-09", "videos": [ "http://thecolbertreport.cc.com/videos/4g9cia/intro---12-09-08", "http://thecolbertreport.cc.com/videos/onbk9a/rod-blagojevich-is-arrested", "http://thecolbertreport.cc.com/videos/600m6s/nixmas-tree-trimming---kevin-bacon", "http://thecolbertreport.cc.com/videos/yflimf/tek-jansen---beginning-s-first-dawn--episode-two-revisited", "http://thecolbertreport.cc.com/videos/srrck8/charlie-kaufman", "http://thecolbertreport.cc.com/videos/zkndmq/nixon-angel" ], "guest": "Kevin Bacon, Charlie Kaufman" }, { "date": "2008-12-10", "videos": [ "http://thecolbertreport.cc.com/videos/u8ghsg/intro---12-10-08", "http://thecolbertreport.cc.com/videos/f9io4y/rod-blagojevich-s-birthday", "http://thecolbertreport.cc.com/videos/imth2d/threatdown---happiness", "http://thecolbertreport.cc.com/videos/jnn2lb/on-notice---forgiveness", "http://thecolbertreport.cc.com/videos/i1wzcc/richard-haass", "http://thecolbertreport.cc.com/videos/uw87dl/good-night" ], "guest": "Richard Haass" }, { "date": "2008-12-11", "videos": [ "http://thecolbertreport.cc.com/videos/y3mqae/intro---12-11-08", "http://thecolbertreport.cc.com/videos/djirpd/michael-phelps", "http://thecolbertreport.cc.com/videos/j11gba/stephen-eats-ghost-ribs", "http://thecolbertreport.cc.com/videos/zc9rq9/the-ghost-of-stage-manager-bobby", "http://thecolbertreport.cc.com/videos/1756ia/the-word---the-unbearable-lightness-of-supreme-being" ], "guest": "Michael Phelps" } ], "2009": [ { "date": "2009-01-05", "videos": [ "http://thecolbertreport.cc.com/videos/9k2tbm/intro---1-05-09", "http://thecolbertreport.cc.com/videos/za98w3/colbert-and-colmes---roland-burris-appointment", "http://thecolbertreport.cc.com/videos/hq4p9o/tek-jansen---beginning-s-first-dawn--episode-three", "http://thecolbertreport.cc.com/videos/nrlhy0/john-king", "http://thecolbertreport.cc.com/videos/5hoaoz/colbert-and-colmes---colmes-gets-fired" ], "guest": "Riley Crane" }, { "date": "2009-01-06", "videos": [ "http://thecolbertreport.cc.com/videos/sn2rhf/ponzi-schemes", "http://thecolbertreport.cc.com/videos/k6j6as/hiding-gold---david-leonhardt", "http://thecolbertreport.cc.com/videos/4zhwch/better-know-a-district---utah-s-3rd---jason-chaffetz", "http://thecolbertreport.cc.com/videos/g9ppzt/matt-miller", "http://thecolbertreport.cc.com/videos/yys5yk/thank-you--stephen" ], "guest": "Capt. Charles Moore" }, { "date": "2009-01-07", "videos": [ "http://thecolbertreport.cc.com/videos/z8rm3b/intro---01-07-09", "http://thecolbertreport.cc.com/videos/92yx1q/che-stadium", "http://thecolbertreport.cc.com/videos/d1e1eu/dr--gupta-s-penis-pyramid", "http://thecolbertreport.cc.com/videos/nqulkz/the-word---statute-of-liberty", "http://thecolbertreport.cc.com/videos/amgd80/tip-wag---cocaine-honey", "http://thecolbertreport.cc.com/videos/yau33c/benicio-del-toro" ], "guest": "James Fowler" }, { "date": "2009-01-08", "videos": [ "http://thecolbertreport.cc.com/videos/88kvmz/intro---01-08-09", "http://thecolbertreport.cc.com/videos/wcgnr1/new-york-times-abandons-dignity", "http://thecolbertreport.cc.com/videos/926dzf/yahweh-or-no-way---roland-burris", "http://thecolbertreport.cc.com/videos/fk4a9c/leg-wrestling-rematch", "http://thecolbertreport.cc.com/videos/gteixg/a-really-good-book", "http://thecolbertreport.cc.com/videos/6428p8/pro-commie-epic" ], "guest": "Lawrence Lessig" }, { "date": "2009-01-12", "videos": [ "http://thecolbertreport.cc.com/videos/kni4vi/intro---01-12-09", "http://thecolbertreport.cc.com/videos/9c4f03/bush-s-last-press-conference", "http://thecolbertreport.cc.com/videos/bwmns5/the-word---sweet-smell-of-success", "http://thecolbertreport.cc.com/videos/0o1xwh/stephen-jr--on-christmas-eve", "http://thecolbertreport.cc.com/videos/dkx1ya/anthony-romero", "http://thecolbertreport.cc.com/videos/by8gkb/a-lot-more-to-say" ], "guest": "Anthony Romero" }, { "date": "2009-01-13", "videos": [ "http://thecolbertreport.cc.com/videos/32ytiz/intro---01-13-09", "http://thecolbertreport.cc.com/videos/fmzudp/bush-presidency-aged-us", "http://thecolbertreport.cc.com/videos/9et79a/cold-war-update---cuba", "http://thecolbertreport.cc.com/videos/m3x3ok/on-notice---limey-squirrel-eaters", "http://thecolbertreport.cc.com/videos/k1og3a/niall-ferguson", "http://thecolbertreport.cc.com/videos/5px40o/that-s-all-the-time-we-have" ], "guest": "Niall Ferguson" }, { "date": "2009-01-14", "videos": [ "http://thecolbertreport.cc.com/videos/oyml2f/intro---01-14-09", "http://thecolbertreport.cc.com/videos/34mj4v/the-last-bush-effigy", "http://thecolbertreport.cc.com/videos/y0f472/p-k--winsome---obama-collectibles", "http://thecolbertreport.cc.com/videos/ur3zl1/little-victories---america-s-galaxy-is-big", "http://thecolbertreport.cc.com/videos/gizrjk/alan-khazei", "http://thecolbertreport.cc.com/videos/9hlcm3/commemorative-plates" ], "guest": "Alan Khazei" }, { "date": "2009-01-15", "videos": [ "http://thecolbertreport.cc.com/videos/q7vz1i/intro---01-15-09", "http://thecolbertreport.cc.com/videos/95lbi6/bush-and-the-press", "http://thecolbertreport.cc.com/videos/sy3mow/bush-s-romance-with-the-media---david-gregory", "http://thecolbertreport.cc.com/videos/7iuuwa/tip-wag---monkey-on-the-lam", "http://thecolbertreport.cc.com/videos/ux2atw/shepard-fairey", "http://thecolbertreport.cc.com/videos/wfge8o/spay-and-neuter-your-pets" ], "guest": "David Gregory, Shepard Fairey" }, { "date": "2009-01-19", "videos": [ "http://thecolbertreport.cc.com/videos/r1uwlh/intro---01-19-09", "http://thecolbertreport.cc.com/videos/ul1a7j/mlk-day-mascot", "http://thecolbertreport.cc.com/videos/lypf68/the-word---sacrifice", "http://thecolbertreport.cc.com/videos/ydvpvb/frank-rich", "http://thecolbertreport.cc.com/videos/52s3oy/boiling-frog-metaphor" ], "guest": "Frank Rich" }, { "date": "2009-01-20", "videos": [ "http://thecolbertreport.cc.com/videos/ymrs37/stephen-s-inauguration-breakdown", "http://thecolbertreport.cc.com/videos/301bds/p-k--winsome---inauguration-merchandise", "http://thecolbertreport.cc.com/videos/9hjhcy/stephen-s-sound-advice---how-to-be-like-lincoln", "http://thecolbertreport.cc.com/videos/mmoodw/jabari-asim", "http://thecolbertreport.cc.com/videos/kai9la/stephen-realizes-he-s-black" ], "guest": "Jabari Asim" }, { "date": "2009-01-21", "videos": [ "http://thecolbertreport.cc.com/videos/dl8i2q/intro---01-21-09", "http://thecolbertreport.cc.com/videos/l2d6st/president-yo-yo-ma", "http://thecolbertreport.cc.com/videos/axsw46/election-2012---chuck-todd", "http://thecolbertreport.cc.com/videos/xkmfex/stephen-s-remix-challenge", "http://thecolbertreport.cc.com/videos/8l6srp/elizabeth-alexander", "http://thecolbertreport.cc.com/videos/a3p8mj/good-night" ], "guest": "Elizabeth Alexander" }, { "date": "2009-01-22", "videos": [ "http://thecolbertreport.cc.com/videos/0zgr4t/intro---01-22-09", "http://thecolbertreport.cc.com/videos/t6meak/near-president-obama", "http://thecolbertreport.cc.com/videos/mtzrkq/un-american-news---president-obama-edition", "http://thecolbertreport.cc.com/videos/689o7m/better-know-a-lobby---naacp", "http://thecolbertreport.cc.com/videos/8awmoy/jon-meacham", "http://thecolbertreport.cc.com/videos/ili9if/refreshing-sierra-mist" ], "guest": "Jon Meacham" }, { "date": "2009-01-26", "videos": [ "http://thecolbertreport.cc.com/videos/7nxt06/intro---01-26-09", "http://thecolbertreport.cc.com/videos/4oz085/stephen-s-secret-prison", "http://thecolbertreport.cc.com/videos/cw8n8j/obama-s-new-science-policy---chris-mooney", "http://thecolbertreport.cc.com/videos/yxtpn8/tip-wag---john-yarmuth-s-holiday-card", "http://thecolbertreport.cc.com/videos/uj76wp/ed-young", "http://thecolbertreport.cc.com/videos/49ccbt/1-877-sean-930" ], "guest": "Chris Mooney, Ed Young" }, { "date": "2009-01-27", "videos": [ "http://thecolbertreport.cc.com/videos/rwx1ie/intro---01-27-09", "http://thecolbertreport.cc.com/videos/8ws8hw/al-arabiya-kidnaps-obama", "http://thecolbertreport.cc.com/videos/ei15xx/cheating-death---lung-health", "http://thecolbertreport.cc.com/videos/yzw1s5/bill-o-reilly-doesn-t-report-rumors", "http://thecolbertreport.cc.com/videos/7ljyqd/philippe-petit", "http://thecolbertreport.cc.com/videos/qx6mra/omar-returns" ], "guest": "Philippe Petit" }, { "date": "2009-01-28", "videos": [ "http://thecolbertreport.cc.com/videos/mrairj/exclusive---better-know-a-beatle---paul-mccartney", "http://thecolbertreport.cc.com/videos/qfnuqn/intro---01-28-09", "http://thecolbertreport.cc.com/videos/4c854b/countdown-to-atomic-disaster---the-wing-ageddon", "http://thecolbertreport.cc.com/videos/m2fb3c/denis-dutton", "http://thecolbertreport.cc.com/videos/x3yxrz/call-1-877-sean-930" ], "guest": "Paul McCartney, Denis Dutton" }, { "date": "2009-01-29", "videos": [ "http://thecolbertreport.cc.com/videos/s0jwx0/intro---01-29-09", "http://thecolbertreport.cc.com/videos/7k3noc/rod-blagojevich-is-impeached", "http://thecolbertreport.cc.com/videos/05hiht/the-word---the-audacity-of-nope", "http://thecolbertreport.cc.com/videos/ra6q6v/sport-report---chicken-wing-spokesman-richard-lobb", "http://thecolbertreport.cc.com/videos/n7s40p/john-podesta", "http://thecolbertreport.cc.com/videos/t92qhf/goodnight-illinois-gov--patrick-quinn" ], "guest": "John Podesta" }, { "date": "2009-02-02", "videos": [ "http://thecolbertreport.cc.com/videos/2e9hx6/intro---02-02-09", "http://thecolbertreport.cc.com/videos/qx0vt7/the-lilly-ledbetter-fair-pay-act", "http://thecolbertreport.cc.com/videos/3n4xx4/it-could-be-worse---iceland", "http://thecolbertreport.cc.com/videos/9kc6le/nailed--em---amtrak-photographer", "http://thecolbertreport.cc.com/videos/1tdafu/dan-zaccagnino", "http://thecolbertreport.cc.com/videos/z0ddpw/so-long--farewell" ], "guest": "Dan Zaccagnino" }, { "date": "2009-02-03", "videos": [ "http://thecolbertreport.cc.com/videos/5d9tuo/intro---02-03-09", "http://thecolbertreport.cc.com/videos/cfzmri/tom-daschle-steps-down", "http://thecolbertreport.cc.com/videos/b8o45v/the-word---army-of-one", "http://thecolbertreport.cc.com/videos/eo7n2c/colbert-platinum---ass-covering-edition", "http://thecolbertreport.cc.com/videos/lr21yl/henry-louis-gates--jr-", "http://thecolbertreport.cc.com/videos/fz6ra7/all-the-show-we-have-time-for" ], "guest": "Henry Louis Gates Jr." }, { "date": "2009-02-04", "videos": [ "http://thecolbertreport.cc.com/videos/hm493e/intro---02-04-09", "http://thecolbertreport.cc.com/videos/7z1jvo/stephen-verbally-thrashes-steve-martin", "http://thecolbertreport.cc.com/videos/1t7nor/yahweh-or-no-way---the-super-bowl", "http://thecolbertreport.cc.com/videos/vtzs6d/who-s-not-honoring-me-now----the-newberry-awards", "http://thecolbertreport.cc.com/videos/7z3biy/tell-your-friends" ], "guest": "Steve Martin" }, { "date": "2009-02-05", "videos": [ "http://thecolbertreport.cc.com/videos/oqo6m1/intro---02-05-09", "http://thecolbertreport.cc.com/videos/hkvbbb/stelephant-colbert-the-elephant-seal", "http://thecolbertreport.cc.com/videos/7v0jg2/economic-stimulus-debate", "http://thecolbertreport.cc.com/videos/9xbuuq/economic-stimulus-bill---james-surowiecki", "http://thecolbertreport.cc.com/videos/e378n6/alpha-dog-of-the-week---boy-scouts-of-america", "http://thecolbertreport.cc.com/videos/avti1a/jonah-lehrer", "http://thecolbertreport.cc.com/videos/qj4lmo/keep-your-friends-close" ], "guest": "James Surowiecki, Jonah Lehrer" }, { "date": "2009-02-09", "videos": [ "http://thecolbertreport.cc.com/videos/vp4fvu/intro---02-09-09", "http://thecolbertreport.cc.com/videos/it28fw/the-new-word-czar", "http://thecolbertreport.cc.com/videos/13lrs0/threatdown---gay-divorce", "http://thecolbertreport.cc.com/videos/hr5hvl/al-gore-steals-stephen-s-grammy" ], "guest": "TV on the Radio" }, { "date": "2009-02-10", "videos": [ "http://thecolbertreport.cc.com/videos/fv48bo/intro---02-10-09", "http://thecolbertreport.cc.com/videos/mj9pcq/the-visa-black-card", "http://thecolbertreport.cc.com/videos/l6kty8/the-word---loyal-opposition", "http://thecolbertreport.cc.com/videos/nj38bb/shout-out---honey--counterterrorism---an-old-guard-flag", "http://thecolbertreport.cc.com/videos/9w33a7/robert-ballard", "http://thecolbertreport.cc.com/videos/gissod/you-look-like-stephen" ], "guest": "Robert Ballard" }, { "date": "2009-02-11", "videos": [ "http://thecolbertreport.cc.com/videos/smxfup/intro---02-11-09", "http://thecolbertreport.cc.com/videos/l5ealo/westminster-dog-show-snub---formula-40-woof", "http://thecolbertreport.cc.com/videos/jxgbb9/dc-voting-rights-act---eleanor-holmes-norton", "http://thecolbertreport.cc.com/videos/wfrwar/truth-from-the-gut", "http://thecolbertreport.cc.com/videos/42vhyq/steven-pinker", "http://thecolbertreport.cc.com/videos/tpb22v/good-night----except-for-the-west-coast" ], "guest": "Eleanor Holmes Norton, Steven Pinker" }, { "date": "2009-02-12", "videos": [ "http://thecolbertreport.cc.com/videos/m1tx5d/exclusive---stephen-s-sexiest-moments", "http://thecolbertreport.cc.com/videos/f0688o/obama-poster-debate---david-ross-and-ed-colbert", "http://thecolbertreport.cc.com/videos/vgbtpp/the-dacolbert-code---oscar-predictions", "http://thecolbertreport.cc.com/videos/tbf4y6/adam-gopnik", "http://thecolbertreport.cc.com/videos/okmu84/goodbye--conan-o-brien" ], "guest": "David Ross, Ed Colbert, Adam Gopnik" }, { "date": "2009-02-23", "videos": [ "http://thecolbertreport.cc.com/videos/9ynh43/intro---02-23-09", "http://thecolbertreport.cc.com/videos/xlgfrl/stephen-s-prayer-day", "http://thecolbertreport.cc.com/videos/legx6j/stephen-s-moral-dimension", "http://thecolbertreport.cc.com/videos/om9959/helen-fisher" ], "guest": "Father James Martin, Helen Fisher" }, { "date": "2009-02-24", "videos": [ "http://thecolbertreport.cc.com/videos/mngx54/mardi-gras-celebrations", "http://thecolbertreport.cc.com/videos/9jcm4g/1997-flashback", "http://thecolbertreport.cc.com/videos/pljjhc/nailed--em---buffet-crime", "http://thecolbertreport.cc.com/videos/n75sz3/cliff-sloan", "http://thecolbertreport.cc.com/videos/yg82dj/happy-mardi-gras", "http://thecolbertreport.cc.com/videos/823sva/turning-to-religion---jim-martin", "http://thecolbertreport.cc.com/videos/gks8m8/breaded-fish-sticks" ], "guest": "Cliff Sloan" }, { "date": "2009-02-25", "videos": [ "http://thecolbertreport.cc.com/videos/4v3vka/intro---02-25-09", "http://thecolbertreport.cc.com/videos/fbot0q/obama-s-congressional-address---jindal-s-response", "http://thecolbertreport.cc.com/videos/o1f5mr/tip-wag---gorilla-crabs-and-gandhi-s-shoes", "http://thecolbertreport.cc.com/videos/jyyb0h/john-fetterman", "http://thecolbertreport.cc.com/videos/10ufmk/bears---balls---company-bailouts" ], "guest": "John Fetterman" }, { "date": "2009-02-26", "videos": [ "http://thecolbertreport.cc.com/videos/lvfhs2/intro---02-26-09", "http://thecolbertreport.cc.com/videos/1q3zjs/claire-mccaskill-s-twittering", "http://thecolbertreport.cc.com/videos/5j9jjo/conservative-rap-battle---stephen-challenges-michael-steele", "http://thecolbertreport.cc.com/videos/831wm1/kris-kristofferson", "http://thecolbertreport.cc.com/videos/lh0vwj/the-word---ablacknophobia", "http://thecolbertreport.cc.com/videos/um02qq/analog-tv" ], "guest": "Kris Kristofferson" }, { "date": "2009-03-02", "videos": [ "http://thecolbertreport.cc.com/videos/tfciz3/conservative-rap-battle---michael-steele-gets-served", "http://thecolbertreport.cc.com/videos/xtntgt/snow-in-the-studio", "http://thecolbertreport.cc.com/videos/52t6yh/p-k--winsome---defective-obama-collectibles", "http://thecolbertreport.cc.com/videos/j78ngs/david-byrne" ], "guest": "David Byrne" }, { "date": "2009-03-03", "videos": [ "http://thecolbertreport.cc.com/videos/qs5iv1/beer-pong-herpes-outbreak", "http://thecolbertreport.cc.com/videos/0c92nb/guns-for-roses", "http://thecolbertreport.cc.com/videos/l9p0ah/space-module--colbert---name-nasa-s-node-3-after-stephen", "http://thecolbertreport.cc.com/videos/oayyzq/mark-bittman", "http://thecolbertreport.cc.com/videos/tfciz3/conservative-rap-battle---michael-steele-gets-served" ], "guest": "Mark Bittman" }, { "date": "2009-03-04", "videos": [ "http://thecolbertreport.cc.com/videos/n8kt9r/intro---03-04-09", "http://thecolbertreport.cc.com/videos/kob10w/space-module--colbert---scientology-s-new-galactic-overlord", "http://thecolbertreport.cc.com/videos/9opkqc/doom-bunker---jack-jacobs-and-stephen-moore", "http://thecolbertreport.cc.com/videos/sx98t6/carl-wilson", "http://thecolbertreport.cc.com/videos/239tij/goodnight", "http://thecolbertreport.cc.com/videos/1kkbbd/intro---03-03-09", "http://thecolbertreport.cc.com/videos/00d1sm/the-word---share-the-wealth", "http://thecolbertreport.cc.com/videos/nhjls5/the-murderer-was-derek" ], "guest": "Carl Wilson" }, { "date": "2009-03-05", "videos": [ "http://thecolbertreport.cc.com/videos/ej854l/intro---03-05-09", "http://thecolbertreport.cc.com/videos/w194ds/obama-s-swing-set", "http://thecolbertreport.cc.com/videos/a7l1re/tip-wag---rush-limbaugh", "http://thecolbertreport.cc.com/videos/n8dlml/steven-johnson", "http://thecolbertreport.cc.com/videos/nfx4fy/leave-you-wanting-more", "http://thecolbertreport.cc.com/videos/1y41q9/doom-bunker---glenn-beck-s--war-room-" ], "guest": "Steven Johnson" }, { "date": "2009-03-09", "videos": [ "http://thecolbertreport.cc.com/videos/itgd4m/intro---03-09-09", "http://thecolbertreport.cc.com/videos/4bvnlr/new-baby-abraham-carter-grosz", "http://thecolbertreport.cc.com/videos/z9c9ak/better-know-a-district---wyoming-s-at-large---cynthia-lummis", "http://thecolbertreport.cc.com/videos/54ad8f/lisa-hannigan" ], "guest": "Lisa Hannigan" }, { "date": "2009-03-10", "videos": [ "http://thecolbertreport.cc.com/videos/1h7cfe/intro---03-10-09", "http://thecolbertreport.cc.com/videos/i1w6au/conservative-rap-battle---droppin--science-on-michael-steele", "http://thecolbertreport.cc.com/videos/858jnr/coffee-induced-hallucinations", "http://thecolbertreport.cc.com/videos/ogsw1c/jay-keasling", "http://thecolbertreport.cc.com/videos/ovf9hb/sick-three-way", "http://thecolbertreport.cc.com/videos/mtwuig/exclusive---better-know-a-district---wyoming-s-at-large---cynthia-lummis", "http://thecolbertreport.cc.com/videos/psylhz/the-word---locked-and-loathed", "http://thecolbertreport.cc.com/videos/dw94ms/sleep-tight--abraham" ], "guest": "William Gerstenmaier, Dr. Jay Keasling" }, { "date": "2009-03-11", "videos": [ "http://thecolbertreport.cc.com/videos/sa3out/intro---03-11-09", "http://thecolbertreport.cc.com/videos/4sbc36/earmarks-abuse-ends-tomorrow", "http://thecolbertreport.cc.com/videos/7bt4s0/cheating-death---legal--sweat---pre-natal-health", "http://thecolbertreport.cc.com/videos/rovggj/howard-fineman", "http://thecolbertreport.cc.com/videos/vpswgr/stephen-s-encore", "http://thecolbertreport.cc.com/videos/m6st31/space-module--colbert---william-gerstenmaier" ], "guest": "Howard Fineman" }, { "date": "2009-03-12", "videos": [ "http://thecolbertreport.cc.com/videos/xum4x8/intro---03-12-09", "http://thecolbertreport.cc.com/videos/uvfw3m/mahmoud-s-non-consensual-endorsement-deal", "http://thecolbertreport.cc.com/videos/p4j2xc/craziest-f--king-thing-i-ve-ever-heard---barreleye-fish", "http://thecolbertreport.cc.com/videos/8nmnda/peter-singer", "http://thecolbertreport.cc.com/videos/8tqo3i/goodnight", "http://thecolbertreport.cc.com/videos/xjpl01/the-word---rand-illusion" ], "guest": "Simon Johnson, Peter Singer" }, { "date": "2009-03-16", "videos": [ "http://thecolbertreport.cc.com/videos/8zwa7x/intro---03-16-09", "http://thecolbertreport.cc.com/videos/yz9sik/stephen-s-angry-mob-will-crush-aig", "http://thecolbertreport.cc.com/videos/pe3tou/better-know-a-governor---mark-sanford-update", "http://thecolbertreport.cc.com/videos/ck0fd5/neil-gaiman", "http://thecolbertreport.cc.com/videos/qxrsxr/stephen-wants-to-hug-you" ], "guest": "Jonathan Chait, Neil Gaiman" }, { "date": "2009-03-17", "videos": [ "http://thecolbertreport.cc.com/videos/ogmrdd/intro---03-17-09", "http://thecolbertreport.cc.com/videos/v1zxe6/shout-out---the-colbert-report-overseas", "http://thecolbertreport.cc.com/videos/bsv6p7/world-of-nahlej---shmeat", "http://thecolbertreport.cc.com/videos/7byrkj/david-grann", "http://thecolbertreport.cc.com/videos/zrpt32/persian-gulf-countdown-clock", "http://thecolbertreport.cc.com/videos/59sfdt/the-new-deal---jonathan-chait" ], "guest": "David Grann" }, { "date": "2009-03-18", "videos": [ "http://thecolbertreport.cc.com/videos/u70zrc/intro---03-18-09", "http://thecolbertreport.cc.com/videos/an5849/predator-x-discovery", "http://thecolbertreport.cc.com/videos/fnlgez/tip-wag---mississippi--talk-shows---syfy", "http://thecolbertreport.cc.com/videos/5hu17z/juan-cole", "http://thecolbertreport.cc.com/videos/bokh2r/sam-s-club-time", "http://thecolbertreport.cc.com/videos/3i8x9a/colbert-aluminum---cigar-nubs--faux-poor---blixseth" ], "guest": "Juan Cole" }, { "date": "2009-03-19", "videos": [ "http://thecolbertreport.cc.com/videos/ntnm0v/intro---03-19-09", "http://thecolbertreport.cc.com/videos/tkjk8k/bill-posey-alligator-rumors", "http://thecolbertreport.cc.com/videos/oi2fxr/when-animals-attack-our-morals---chimps--lizards---spiders", "http://thecolbertreport.cc.com/videos/m9oys8/john-mccardell", "http://thecolbertreport.cc.com/videos/f189zq/space-module--colbert---vote-now", "http://thecolbertreport.cc.com/videos/wa8cs2/the-word---keeping-our-heads" ], "guest": "John McCardell" }, { "date": "2009-03-30", "videos": [ "http://thecolbertreport.cc.com/videos/hta8xf/intro---03-30-09", "http://thecolbertreport.cc.com/videos/04agpr/violence-in-mexico", "http://thecolbertreport.cc.com/videos/ttpqpq/me-time---emily-yoffe-on-narcissistic-personality-disorder", "http://thecolbertreport.cc.com/videos/y6yflv/space-module--colbert---democracy-in-orbit", "http://thecolbertreport.cc.com/videos/yz8bqz/derrick-pitts" ], "guest": "Derrick Pitts" }, { "date": "2009-03-31", "videos": [ "http://thecolbertreport.cc.com/videos/prw3dp/intro---03-31-09", "http://thecolbertreport.cc.com/videos/ga9h1c/obama-s-epic-dog-quest", "http://thecolbertreport.cc.com/videos/19bdth/better-know-a-lobby---newspaper-association-of-america", "http://thecolbertreport.cc.com/videos/fkt6tu/david-plotz", "http://thecolbertreport.cc.com/videos/ch71k9/sudoku-answers", "http://thecolbertreport.cc.com/videos/7l6w83/me-time---american-narcissism", "http://thecolbertreport.cc.com/videos/k0knxh/30-minute-applause" ], "guest": "David Plotz" }, { "date": "2009-04-01", "videos": [ "http://thecolbertreport.cc.com/videos/du0pk9/intro---04-01-09", "http://thecolbertreport.cc.com/videos/1o1nya/french-worker-protests", "http://thecolbertreport.cc.com/videos/5t3340/cheating-death---sperm-sale---colonoscopies", "http://thecolbertreport.cc.com/videos/wol3qg/dambisa-moyo", "http://thecolbertreport.cc.com/videos/vof9z5/hide-and-seek", "http://thecolbertreport.cc.com/videos/jt0f3j/the-10-31-project" ], "guest": "Dambisa Moyo" }, { "date": "2009-04-02", "videos": [ "http://thecolbertreport.cc.com/videos/scsjxw/intro---04-02-09", "http://thecolbertreport.cc.com/videos/78s5oz/cheney-s-secret-assassination-squad", "http://thecolbertreport.cc.com/videos/mkb4ls/merriam-webster-s-word-s-worth", "http://thecolbertreport.cc.com/videos/4qhn4o/biz-stone", "http://thecolbertreport.cc.com/videos/5uxqom/let-your-gps-be-your-guide", "http://thecolbertreport.cc.com/videos/idkq46/the-word---fine-line" ], "guest": "Biz Stone" }, { "date": "2009-04-06", "videos": [ "http://thecolbertreport.cc.com/videos/d5ju1a/colbert-s-easter-parade", "http://thecolbertreport.cc.com/videos/v1ybgk/intro---04-06-09", "http://thecolbertreport.cc.com/videos/f3bajc/body-loss", "http://thecolbertreport.cc.com/videos/y3ocaq/space-module--colbert---urine-recycling-room", "http://thecolbertreport.cc.com/videos/2zq8u0/rich-lowry", "http://thecolbertreport.cc.com/videos/k9vxpy/make-lemonade" ], "guest": "Tom Brokaw, Rich Lowry" }, { "date": "2009-04-07", "videos": [ "http://thecolbertreport.cc.com/videos/168lgg/intro---04-07-09", "http://thecolbertreport.cc.com/videos/9kk3jy/queen-noor-s-royal-treatment", "http://thecolbertreport.cc.com/videos/6uykwu/better-know-a-district---new-york-s-25th---dan-maffei", "http://thecolbertreport.cc.com/videos/31tszu/queen-noor", "http://thecolbertreport.cc.com/videos/pqumra/hiccup-free", "http://thecolbertreport.cc.com/videos/njp3xz/un-american-news---rest-of-the-world", "http://thecolbertreport.cc.com/videos/u5yf3y/obama-s-european-trip---tom-brokaw" ], "guest": "Queen Noor" }, { "date": "2009-04-08", "videos": [ "http://thecolbertreport.cc.com/videos/f1gjz4/intro---04-08-09", "http://thecolbertreport.cc.com/videos/lyeuyj/birkat-hachama---stephen-frees-his-jews", "http://thecolbertreport.cc.com/videos/10cwvc/alpha-dog-of-the-week---ted-stevens", "http://thecolbertreport.cc.com/videos/eknw52/phil-bronstein", "http://thecolbertreport.cc.com/videos/jmb43t/electronic-edition", "http://thecolbertreport.cc.com/videos/7jw15b/the-word---morally-bankrupt" ], "guest": "Phil Bronstein" }, { "date": "2009-04-09", "videos": [ "http://thecolbertreport.cc.com/videos/ly7fhn/workers--comp-temptation", "http://thecolbertreport.cc.com/videos/1adwqk/threatdown---robert-gates--dog-seders---obama", "http://thecolbertreport.cc.com/videos/lywaay/bart-ehrman", "http://thecolbertreport.cc.com/videos/vd2m1k/stephen-s-severed-head", "http://thecolbertreport.cc.com/videos/4wgqsm/where-and-when-is-stephen-going-to-the-persian-gulf----bahrain" ], "guest": "Bart Ehrman" }, { "date": "2009-04-14", "videos": [ "http://thecolbertreport.cc.com/videos/uvnlz3/intro---04-14-09", "http://thecolbertreport.cc.com/videos/1tgxfo/clarence-thomas--new-job", "http://thecolbertreport.cc.com/videos/bz4xly/space-module--colbert---sunita-williams", "http://thecolbertreport.cc.com/videos/gxfl4g/susie-orbach", "http://thecolbertreport.cc.com/videos/5m2sci/goodnight--helen" ], "guest": "Sunita L. Williams, Susie Orbach" }, { "date": "2009-04-15", "videos": [ "http://thecolbertreport.cc.com/videos/2t8bkw/intro---04-15-09", "http://thecolbertreport.cc.com/videos/whfbdu/obama-denies-habeas-corpus", "http://thecolbertreport.cc.com/videos/xkxq0s/better-know-a-district---illinois--18th---aaron-schock", "http://thecolbertreport.cc.com/videos/0ca7u5/jim-lehrer", "http://thecolbertreport.cc.com/videos/g6fu2q/homework-assignment", "http://thecolbertreport.cc.com/videos/5rzknc/the-word---have-your-cake-and-eat-it--too" ], "guest": "Jim Lehrer" }, { "date": "2009-04-16", "videos": [ "http://thecolbertreport.cc.com/videos/t8chps/intro---04-16-09", "http://thecolbertreport.cc.com/videos/abfalc/teabagging-protests", "http://thecolbertreport.cc.com/videos/npq9t7/indian-elections---kanishk-tharoor", "http://thecolbertreport.cc.com/videos/btde8y/douglas-kmiec", "http://thecolbertreport.cc.com/videos/gu6q0n/goodnight-salute", "http://thecolbertreport.cc.com/videos/a8qba2/tax-atax" ], "guest": "Kanishk Tharoor, Doug Kmiec" }, { "date": "2009-04-20", "videos": [ "http://thecolbertreport.cc.com/videos/b06wzj/intro---04-20-09", "http://thecolbertreport.cc.com/videos/3g58oe/castro-death-wish-list", "http://thecolbertreport.cc.com/videos/pzg5id/maersk-alabama---ken-quinn", "http://thecolbertreport.cc.com/videos/b1hfbd/tip-wag---texas-secession---maca", "http://thecolbertreport.cc.com/videos/qi09sh/joe-arpaio" ], "guest": "Ken Quinn, Sheriff Joe Arpaio" }, { "date": "2009-04-21", "videos": [ "http://thecolbertreport.cc.com/videos/fll3xv/intro---04-21-09", "http://thecolbertreport.cc.com/videos/mnalwu/george-will-s-demon-denim", "http://thecolbertreport.cc.com/videos/hezs49/who-s-riding-my-coattails-now----blown-away-by-the-usa", "http://thecolbertreport.cc.com/videos/7lqvgy/mike-krzyzewski", "http://thecolbertreport.cc.com/videos/4dj3xs/special-dvd-commentary", "http://thecolbertreport.cc.com/videos/g9ilpe/anger-s-aweigh", "http://thecolbertreport.cc.com/videos/h6pabb/stephen-s-only-regrets" ], "guest": "Coach Mike Kryzewski" }, { "date": "2009-04-22", "videos": [ "http://thecolbertreport.cc.com/videos/licvuz/intro---04-22-09", "http://thecolbertreport.cc.com/videos/g6q0sp/-the-price-is-right--goes-green", "http://thecolbertreport.cc.com/videos/7ax5b6/where-and-when-is-stephen-going-to-the-persian-gulf----qatar", "http://thecolbertreport.cc.com/videos/ui31iq/ira-glass", "http://thecolbertreport.cc.com/videos/77b5v5/never-go-to-bed-angry", "http://thecolbertreport.cc.com/videos/zbqudz/the-word---stressed-position" ], "guest": "Ira Glass" }, { "date": "2009-04-23", "videos": [ "http://thecolbertreport.cc.com/videos/gj1jdr/intro---04-23-09", "http://thecolbertreport.cc.com/videos/16z7m7/america-does-not-swear-on-camera", "http://thecolbertreport.cc.com/videos/dbshcz/illegitimate-grandson-of-an-alligator", "http://thecolbertreport.cc.com/videos/2tn51j/elizabeth-bintliff", "http://thecolbertreport.cc.com/videos/ylolny/goodnight--daisy", "http://thecolbertreport.cc.com/videos/g1doyw/summit-of-all-fears" ], "guest": "Elizabeth Bintliff" }, { "date": "2009-04-27", "videos": [ "http://thecolbertreport.cc.com/videos/ak2bbq/intro---04-27-09", "http://thecolbertreport.cc.com/videos/u3yqqg/days-of-swine-and-doses", "http://thecolbertreport.cc.com/videos/ioe7hh/craziest-f--king-thing-i-ve-ever-heard---fir-tree-lung", "http://thecolbertreport.cc.com/videos/6ywn6l/a-rare-correction---stephen-eats-an-ewok", "http://thecolbertreport.cc.com/videos/jlx2r1/the-decemberists" ], "guest": "The Decemberists" }, { "date": "2009-04-28", "videos": [ "http://thecolbertreport.cc.com/videos/5phyy1/intro---04-28-09", "http://thecolbertreport.cc.com/videos/pwdiki/arlen-specter-contracts-donkey-flu", "http://thecolbertreport.cc.com/videos/14mfow/foreign-reporting---richard-engel", "http://thecolbertreport.cc.com/videos/u40xb8/daniel-gross", "http://thecolbertreport.cc.com/videos/l8q5cp/shout-out---kids-edition" ], "guest": "Richard Engel, Daniel Gross" }, { "date": "2009-04-29", "videos": [ "http://thecolbertreport.cc.com/videos/we8zzj/intro---04-29-09", "http://thecolbertreport.cc.com/videos/0gktuh/ahmadinejad-steals-obama-s-slogan", "http://thecolbertreport.cc.com/videos/ou4xko/enemy-swine--a-pigcalypse-now", "http://thecolbertreport.cc.com/videos/i5hw2i/david-kessler", "http://thecolbertreport.cc.com/videos/seesef/feet-teeth", "http://thecolbertreport.cc.com/videos/5kllsr/where-and-when-is-stephen-going-to-the-persian-gulf----correspondents", "http://thecolbertreport.cc.com/videos/ewzt0z/no-animals-were-harmed" ], "guest": "David Kessler" }, { "date": "2009-04-30", "videos": [ "http://thecolbertreport.cc.com/videos/4ncl78/intro---04-30-09", "http://thecolbertreport.cc.com/videos/hr47fj/president-obama---the-first-14-mondays", "http://thecolbertreport.cc.com/videos/zhiu9l/ethan-nadelmann", "http://thecolbertreport.cc.com/videos/1e83az/the-after-show", "http://thecolbertreport.cc.com/videos/dnh80p/i-s-on-edjukashun---textbooks--americorps---strip-search" ], "guest": "Jonathan Alter, Ethan Nadelman" }, { "date": "2009-05-04", "videos": [ "http://thecolbertreport.cc.com/videos/ithaxo/code-word---empathy", "http://thecolbertreport.cc.com/videos/e4d421/the-prescott-group-bailout", "http://thecolbertreport.cc.com/videos/57pcxy/j-j--abrams", "http://thecolbertreport.cc.com/videos/3q06z6/sign-off---colbert-nation-home" ], "guest": "J.J. Abrams" }, { "date": "2009-05-05", "videos": [ "http://thecolbertreport.cc.com/videos/1yb1cp/intro---05-05-09", "http://thecolbertreport.cc.com/videos/daeu0o/cinco-de-mayo-precautions", "http://thecolbertreport.cc.com/videos/73g8ui/the-word---captain-kangaroo-court", "http://thecolbertreport.cc.com/videos/sye42t/paul-rieckhoff", "http://thecolbertreport.cc.com/videos/xul98m/sign-off---iteam", "http://thecolbertreport.cc.com/videos/0a05it/movies-that-are-destroying-america---summer-movie-edition" ], "guest": "Cliff Sloan, Paul Rieckhoff" }, { "date": "2009-05-06", "videos": [ "http://thecolbertreport.cc.com/videos/4aqttz/intro---05-06-09", "http://thecolbertreport.cc.com/videos/k97z53/colbert-branson-duel", "http://thecolbertreport.cc.com/videos/4h8qcx/where-and-when-is-stephen-going-to-the-persian-gulf----saudi-arabia", "http://thecolbertreport.cc.com/videos/q7lfqg/laurie-garrett", "http://thecolbertreport.cc.com/videos/2y8ihh/hug-your-television", "http://thecolbertreport.cc.com/videos/mekuw6/picking-a-new-supreme-court-justice---cliff-sloan" ], "guest": "Laurie Garrett" }, { "date": "2009-05-07", "videos": [ "http://thecolbertreport.cc.com/videos/nqr22g/intro---05-07-09", "http://thecolbertreport.cc.com/videos/40ivqy/sean-hannity-s-liberty-tree", "http://thecolbertreport.cc.com/videos/ednx54/smokin--pole---the-fight-for-arctic-riches--inuit-nation", "http://thecolbertreport.cc.com/videos/as8qiu/mitchell-joachim", "http://thecolbertreport.cc.com/videos/4bas9p/spay-and-neuter-your-pets", "http://thecolbertreport.cc.com/videos/686y3f/tip-wag---forced-smoking---grizzly-best-man" ], "guest": "Mitchell Joachim" }, { "date": "2009-05-11", "videos": [ "http://thecolbertreport.cc.com/videos/imn21t/intro---05-11-09", "http://thecolbertreport.cc.com/videos/cctfpl/stephen-s-fancy-feast", "http://thecolbertreport.cc.com/videos/bwc8x1/credit-card-industry-regulation---tamara-draut", "http://thecolbertreport.cc.com/videos/cguksk/alpha-dog-of-the-week---erik-slye", "http://thecolbertreport.cc.com/videos/3ttm11/jeff-daniels" ], "guest": "Tamara Draut" }, { "date": "2009-05-12", "videos": [ "http://thecolbertreport.cc.com/videos/wr98c1/intro---05-12-09", "http://thecolbertreport.cc.com/videos/zy5zj6/howard-s-end", "http://thecolbertreport.cc.com/videos/n89zl7/cuba-us-trade-relations---julia-sweig", "http://thecolbertreport.cc.com/videos/hs7gtm/stephen-s-sound-advice---how-to-re-brand-the-gop", "http://thecolbertreport.cc.com/videos/a0bgn9/ron-howard", "http://thecolbertreport.cc.com/videos/6fx090/credit-check", "http://thecolbertreport.cc.com/videos/lzvish/sign-off---unicorn-dealership" ], "guest": "Ron Howard" }, { "date": "2009-05-13", "videos": [ "http://thecolbertreport.cc.com/videos/yvcq61/intro---05-13-09", "http://thecolbertreport.cc.com/videos/g3716f/robert-gibbs-hates-ringing-cell-phones", "http://thecolbertreport.cc.com/videos/hp9jyy/colbert-platinum----1-000-dishes", "http://thecolbertreport.cc.com/videos/eon7i2/michael-pollan", "http://thecolbertreport.cc.com/videos/0it13s/stephen-colbert-is-awesome", "http://thecolbertreport.cc.com/videos/5715dt/our-plan-in-havana", "http://thecolbertreport.cc.com/videos/g7s21x/you-are-a-dummy" ], "guest": "Michael Pollan" }, { "date": "2009-05-14", "videos": [ "http://thecolbertreport.cc.com/videos/ph1m2t/intro---05-14-09", "http://thecolbertreport.cc.com/videos/priitm/caveman-porn-stash", "http://thecolbertreport.cc.com/videos/phfour/donorschoose-org-donations", "http://thecolbertreport.cc.com/videos/m82ydm/yusuf", "http://thecolbertreport.cc.com/videos/vyychn/stephen-s-coke-party-protest" ], "guest": "Yusuf" }, { "date": "2009-05-18", "videos": [ "http://thecolbertreport.cc.com/videos/hopfi8/intro---05-18-09", "http://thecolbertreport.cc.com/videos/gc17yz/welcome-to-the-real-world--obama", "http://thecolbertreport.cc.com/videos/oh4xki/threatdown---charity--casual-jesus---robot-teachers", "http://thecolbertreport.cc.com/videos/phv8h6/meghan-mccain", "http://thecolbertreport.cc.com/videos/h4dfgj/sign-off---internal-clock" ], "guest": "Meghan McCain" }, { "date": "2009-05-19", "videos": [ "http://thecolbertreport.cc.com/videos/k69zx1/intro---05-19-09", "http://thecolbertreport.cc.com/videos/um8x6x/rumsfeld-s-cover-letter-bible-quotes", "http://thecolbertreport.cc.com/videos/9w54d6/difference-makers---stephen-keith", "http://thecolbertreport.cc.com/videos/tn9xuo/walter-kirn", "http://thecolbertreport.cc.com/videos/l2dw5z/stephen-s-show", "http://thecolbertreport.cc.com/videos/y5v5ns/the-word---tough-cell" ], "guest": "Walter Kirn" }, { "date": "2009-05-20", "videos": [ "http://thecolbertreport.cc.com/videos/zq89uw/intro---05-20-09", "http://thecolbertreport.cc.com/videos/b9eth2/extra--extra--bleed-all-about-it-", "http://thecolbertreport.cc.com/videos/e5f1sd/donorschoose-org-classroom-projects", "http://thecolbertreport.cc.com/videos/u2rpts/seth-shostak", "http://thecolbertreport.cc.com/videos/m63aac/goodnight", "http://thecolbertreport.cc.com/videos/i401ml/the-word---i-know-you-are-but-what-am-i-" ], "guest": "Seth Shostak" }, { "date": "2009-05-21", "videos": [ "http://thecolbertreport.cc.com/videos/sll291/intro---05-21-09", "http://thecolbertreport.cc.com/videos/hck7te/47-million-year-old-fossil", "http://thecolbertreport.cc.com/videos/4kzrbn/formidable-opponent---pragmatism-or-idealism", "http://thecolbertreport.cc.com/videos/ait1y2/green-day", "http://thecolbertreport.cc.com/videos/iuaf6k/she-said--cia-said---bob-graham" ], "guest": "Green Day" }, { "date": "2009-06-01", "videos": [ "http://thecolbertreport.cc.com/videos/kbuqbk/intro---06-01-09", "http://thecolbertreport.cc.com/videos/ckumab/guns-in-national-parks", "http://thecolbertreport.cc.com/videos/ezeifx/sonia-sotomayor-s-nomination---jeffrey-toobin", "http://thecolbertreport.cc.com/videos/2p70rc/where-and-when-is-stephen-going-to-the-persian-gulf----united-arab-emirates", "http://thecolbertreport.cc.com/videos/4suoo4/byron-dorgan" ], "guest": "Jeffrey Toobin, Sen. Byron Dorgan" }, { "date": "2009-06-02", "videos": [ "http://thecolbertreport.cc.com/videos/poyt56/intro---06-02-09", "http://thecolbertreport.cc.com/videos/xahwo7/saudi-arabia-press-restrictions", "http://thecolbertreport.cc.com/videos/m4ur7f/jim-moran-vs--viagra", "http://thecolbertreport.cc.com/videos/bpwglm/katty-kay", "http://thecolbertreport.cc.com/videos/860dm5/best-audience-of-the-night", "http://thecolbertreport.cc.com/videos/ch9xnn/supreme-court-press", "http://thecolbertreport.cc.com/videos/t28i3d/dance-for-stephen" ], "guest": "Katty Kay" }, { "date": "2009-06-03", "videos": [ "http://thecolbertreport.cc.com/videos/lte593/intro---06-03-09", "http://thecolbertreport.cc.com/videos/1azzsn/we-have-a-death-star-", "http://thecolbertreport.cc.com/videos/in49m6/tip-wag---4th-of-july--craig-t--nelson---gm", "http://thecolbertreport.cc.com/videos/ughago/eric-schlosser", "http://thecolbertreport.cc.com/videos/fw7nrm/sign-off----the-hollow-men-", "http://thecolbertreport.cc.com/videos/rfeepg/cheating-death---cheerios--soda-paralysis---oprah-s-crazy-talk" ], "guest": "Eric Schlosser" }, { "date": "2009-06-04", "videos": [ "http://thecolbertreport.cc.com/videos/rpkl6b/intro---06-04-09", "http://thecolbertreport.cc.com/videos/oqx005/wikipedia-bans-scientologists", "http://thecolbertreport.cc.com/videos/anuhnx/craziest-f--king-thing-i-ve-ever-heard---external-lungs", "http://thecolbertreport.cc.com/videos/obi6e0/dag-soderberg", "http://thecolbertreport.cc.com/videos/u226dl/the-word---i-do--you-don-t" ], "guest": "Dag Soderberg, David Byrne" }, { "date": "2009-06-08", "videos": [ "http://thecolbertreport.cc.com/videos/gbu94e/operation-iraqi-stephen---mysterious-trip", "http://thecolbertreport.cc.com/videos/wy7a2l/operation-iraqi-stephen---john-mccain", "http://thecolbertreport.cc.com/videos/n4g2vg/stephen-strong---army-of-me---basic-training-pt--1", "http://thecolbertreport.cc.com/videos/c4z5y3/obama-orders-stephen-s-haircut---ray-odierno", "http://thecolbertreport.cc.com/videos/m6uaot/sign-off---new-haircut" ], "guest": "Stephen broadcasts from Iraq, Gen. Ray Odierno" }, { "date": "2009-06-09", "videos": [ "http://thecolbertreport.cc.com/videos/xuowp6/operation-iraqi-stephen---s-h-", "http://thecolbertreport.cc.com/videos/nlvzz2/operation-iraqi-stephen---bill-clinton---amp-energy", "http://thecolbertreport.cc.com/videos/8querl/formidable-opponent---don-t-ask--don-t-tell", "http://thecolbertreport.cc.com/videos/xjmvnq/tareq-salha---robin-balcom", "http://thecolbertreport.cc.com/videos/bdo17v/sign-off---hi--stephen-s-mom", "http://thecolbertreport.cc.com/videos/clgan9/the-word---why-are-you-here-" ], "guest": "Stephen broadcasts from Iraq (1)" }, { "date": "2009-06-10", "videos": [ "http://thecolbertreport.cc.com/videos/3avxyi/operation-iraqi-stephen---stephen-s-spider-hole", "http://thecolbertreport.cc.com/videos/cyrxgp/admiral-crunch", "http://thecolbertreport.cc.com/videos/xfobul/lt--gen--charles-h--jacoby-jr-", "http://thecolbertreport.cc.com/videos/jk0yi6/sign-off---head-rub", "http://thecolbertreport.cc.com/videos/nlng6v/operation-iraqi-stephen---tom-hanks-care-package", "http://thecolbertreport.cc.com/videos/xbtx2g/stephen-strong---army-of-me---basic-training-pt--2" ], "guest": "Stephen broadcasts from Iraq (2)" }, { "date": "2009-06-11", "videos": [ "http://thecolbertreport.cc.com/videos/x1yyko/stephen-gets-his-hair-cut", "http://thecolbertreport.cc.com/videos/ithwrz/operation-iraqi-stephen---golf-club---george-w--bush-s-greeting", "http://thecolbertreport.cc.com/videos/9p7eto/operation-iraqi-stephen---fallback-position---air-force-thunderbirds", "http://thecolbertreport.cc.com/videos/hqcfyh/operation-iraqi-stephen---frank-a--grippe", "http://thecolbertreport.cc.com/videos/aa7w7z/operation-iraqi-stephen---sign-off---honey--i-m-coming-home", "http://thecolbertreport.cc.com/videos/74tfzb/better-know-a-cradle-of-civilization---barham-saleh" ], "guest": "Stephen broadcasts from Iraq (3)" }, { "date": "2009-06-15", "videos": [ "http://thecolbertreport.cc.com/videos/7zoy4v/intro---06-15-09", "http://thecolbertreport.cc.com/videos/ycfoc7/warm-memories-of-iraq", "http://thecolbertreport.cc.com/videos/cgcvlh/car-shout---gm---chrysler", "http://thecolbertreport.cc.com/videos/px4jql/austan-goolsbee", "http://thecolbertreport.cc.com/videos/22hank/sign-off---driving-for-the-last-10-minutes" ], "guest": "Austan Goolsbee" }, { "date": "2009-06-16", "videos": [ "http://thecolbertreport.cc.com/videos/6kwzzi/intro---06-16-09", "http://thecolbertreport.cc.com/videos/e51xox/croatia-s-biggest-jeans-world-record", "http://thecolbertreport.cc.com/videos/86p43v/teh-runoff---karim-sadjadpour", "http://thecolbertreport.cc.com/videos/guirtz/balls-for-kidz---carnivals-encore", "http://thecolbertreport.cc.com/videos/8g3agb/jim-rogers", "http://thecolbertreport.cc.com/videos/1bur1p/stephen-s-sound-advice---how-to-be-a-totalitarian-nutjob" ], "guest": "Karim Sadjadpour, Jim Rogers" }, { "date": "2009-06-17", "videos": [ "http://thecolbertreport.cc.com/videos/vz7xis/intro---06-17-09", "http://thecolbertreport.cc.com/videos/y8n8bj/stephen-s-positive-obama-coverage", "http://thecolbertreport.cc.com/videos/v8qfms/the-word---bohemian-grove", "http://thecolbertreport.cc.com/videos/fgc5qj/alpha-dog-of-the-week---silvio-berlusconi", "http://thecolbertreport.cc.com/videos/6wqhd0/joshua-micah-marshall", "http://thecolbertreport.cc.com/videos/1jvq35/teh-runoff", "http://thecolbertreport.cc.com/videos/31otgs/goodnight" ], "guest": "Joshua Micah Marshall" }, { "date": "2009-06-18", "videos": [ "http://thecolbertreport.cc.com/videos/ewcaj5/intro---06-18-09", "http://thecolbertreport.cc.com/videos/0qwej8/murder-in-the-white-house---jeff-goldblum", "http://thecolbertreport.cc.com/videos/nmpsnk/bears---balls---tobacco--project-natal---graveyard-bids", "http://thecolbertreport.cc.com/videos/e8rev9/paul-muldoon", "http://thecolbertreport.cc.com/videos/dvld1q/sign-off---law---order-preview", "http://thecolbertreport.cc.com/videos/e8h8e5/murder-in-the-white-house---fly-widow-interview", "http://thecolbertreport.cc.com/videos/e72lp2/sign-off---aloha--idaho" ], "guest": "Paul Muldoon" }, { "date": "2009-06-22", "videos": [ "http://thecolbertreport.cc.com/videos/je4uya/intro---06-22-09", "http://thecolbertreport.cc.com/videos/91fk6r/zicam-recall", "http://thecolbertreport.cc.com/videos/h9527k/the-enemy-within---cane-fu", "http://thecolbertreport.cc.com/videos/he9dc0/simon-schama", "http://thecolbertreport.cc.com/videos/k4vrsb/sign-off---stephen-suffers--too" ], "guest": "Simon Schama" }, { "date": "2009-06-23", "videos": [ "http://thecolbertreport.cc.com/videos/wovkbp/barack-obama-s-response-to-iran", "http://thecolbertreport.cc.com/videos/yaknra/america-s-health-plan-demic", "http://thecolbertreport.cc.com/videos/xc1sqp/governor-alert---the-search-for-mark-sanford", "http://thecolbertreport.cc.com/videos/fmv6yq/david-kilcullen", "http://thecolbertreport.cc.com/videos/i99yp3/the-smell-of-freedom---jeff-goldblum" ], "guest": "Howard Dean, David Kilcullen" }, { "date": "2009-06-24", "videos": [ "http://thecolbertreport.cc.com/videos/rhiizu/intro---06-24-09", "http://thecolbertreport.cc.com/videos/5xejpe/mark-sanford-does-something-interesting", "http://thecolbertreport.cc.com/videos/neths8/matthew-crawford", "http://thecolbertreport.cc.com/videos/i50dum/sign-off---random-gps-coordinate-lottery", "http://thecolbertreport.cc.com/videos/jkobj5/america-s-health-plan-demic---howard-dean", "http://thecolbertreport.cc.com/videos/411cqv/sign-off---goodnight" ], "guest": "Matthew Crawford" }, { "date": "2009-06-25", "videos": [ "http://thecolbertreport.cc.com/videos/j1tx3a/intro---06-25-09", "http://thecolbertreport.cc.com/videos/g71yl5/gay-demon-on-the-loose", "http://thecolbertreport.cc.com/videos/5gki1y/commonsense-health-care-reform-infomercial", "http://thecolbertreport.cc.com/videos/ohjhjq/jim-fouratt", "http://thecolbertreport.cc.com/videos/l3h2eg/sign-off---one-breath", "http://thecolbertreport.cc.com/videos/nw0bxn/sport-report---soccer--tennis---brett-favre" ], "guest": "Jim Fouratt" }, { "date": "2009-06-29", "videos": [ "http://thecolbertreport.cc.com/videos/ehxpq9/jeff-goldblum-will-be-missed", "http://thecolbertreport.cc.com/videos/di8fs8/michael-jackson-s-media-attention", "http://thecolbertreport.cc.com/videos/8ouc6a/the-word---noncensus", "http://thecolbertreport.cc.com/videos/4zr9io/neil-degrasse-tyson" ], "guest": "Neil DeGrasse Tyson" }, { "date": "2009-06-30", "videos": [ "http://thecolbertreport.cc.com/videos/klvpw6/intro---06-30-09", "http://thecolbertreport.cc.com/videos/hy9hl7/al-franken-finally-declared-senator", "http://thecolbertreport.cc.com/videos/hzd5cg/4th-of-july-under-attack", "http://thecolbertreport.cc.com/videos/jzev8y/is-it-time-to-care-about-soccer-", "http://thecolbertreport.cc.com/videos/knfvfz/is-it-time-to-care-about-soccer----alexi-lalas", "http://thecolbertreport.cc.com/videos/8x5ezx/kevin-mattson", "http://thecolbertreport.cc.com/videos/ehxpq9/jeff-goldblum-will-be-missed" ], "guest": "Alexi Lalas, Kevin Mattson" }, { "date": "2009-07-01", "videos": [ "http://thecolbertreport.cc.com/videos/umpd2x/intro---07-01-09", "http://thecolbertreport.cc.com/videos/opbzv4/the-second-coming-of-ronald-reagan", "http://thecolbertreport.cc.com/videos/6wo5t4/the-clinton-curse", "http://thecolbertreport.cc.com/videos/heqh3g/judge--jury---executioner---firefighters--gold-waste---strip-search", "http://thecolbertreport.cc.com/videos/r9zau8/nicholas-kristof", "http://thecolbertreport.cc.com/videos/sldptb/sign-off---farewell--david-souter" ], "guest": "Nicholas Kristof" }, { "date": "2009-07-02", "videos": [ "http://thecolbertreport.cc.com/videos/f4016f/intro---07-02-09", "http://thecolbertreport.cc.com/videos/mc9la4/cnn-finds-bubbles-the-chimp", "http://thecolbertreport.cc.com/videos/n31uuy/re-report---lost-treasures-of-babylon", "http://thecolbertreport.cc.com/videos/v5trw8/ed-viesturs", "http://thecolbertreport.cc.com/videos/zc3q4z/sign-off---see-you-at-the-bar", "http://thecolbertreport.cc.com/videos/sedae1/tip-wag---cynthia-davis---fox-news", "http://thecolbertreport.cc.com/videos/wyj1b1/sign-off---get-your-illegal-fireworks" ], "guest": "Ed Viesturs" }, { "date": "2009-07-13", "videos": [ "http://thecolbertreport.cc.com/videos/4zm73s/intro---07-13-09", "http://thecolbertreport.cc.com/videos/m8x1rr/va-backlog---paul-rieckhoff", "http://thecolbertreport.cc.com/videos/qvijip/paul-krugman", "http://thecolbertreport.cc.com/videos/2wjc98/goodnight" ], "guest": "Paul Rieckhoff, Paul Krugman" }, { "date": "2009-07-14", "videos": [ "http://thecolbertreport.cc.com/videos/w7y41r/intro---07-14-09", "http://thecolbertreport.cc.com/videos/17wwbv/raise-high-the-rage-beams", "http://thecolbertreport.cc.com/videos/o7y2te/leymah-gbowee", "http://thecolbertreport.cc.com/videos/9nhp7n/sign-off---the-pitcher-in-the-oat", "http://thecolbertreport.cc.com/videos/55a0ws/remembering-remembering-michael-jackson", "http://thecolbertreport.cc.com/videos/bfjyjy/stephen-s-sound-advice---how-to-bork-a-nominee" ], "guest": "Leymah Gbowee" }, { "date": "2009-07-15", "videos": [ "http://thecolbertreport.cc.com/videos/38zw9a/intro---07-15-09", "http://thecolbertreport.cc.com/videos/7avxb3/stephen-wants-to-be-the-worst-person-in-the-world", "http://thecolbertreport.cc.com/videos/yhsbjx/difference-makers---doug-jackson", "http://thecolbertreport.cc.com/videos/jkayfy/douglas-rushkoff", "http://thecolbertreport.cc.com/videos/1ikoxj/sign-off---no-man-is-a-failure", "http://thecolbertreport.cc.com/videos/9vyt62/senator-wences-questions-sonia-sotomayor", "http://thecolbertreport.cc.com/videos/jb4xw4/the-word---guns--credit--and-corn" ], "guest": "Douglas Rushkoff" }, { "date": "2009-07-16", "videos": [ "http://thecolbertreport.cc.com/videos/n291gl/intro---07-16-09", "http://thecolbertreport.cc.com/videos/7pmbq4/the-memy-awards", "http://thecolbertreport.cc.com/videos/3ahlmo/cheating-death---diabetes-dogs--chocolate-milk---swearing-in-pain", "http://thecolbertreport.cc.com/videos/7hp904/edmund-andrews", "http://thecolbertreport.cc.com/videos/1wc2dn/sign-off---stephen-wins", "http://thecolbertreport.cc.com/videos/cqz0pq/tip-wag---assassination-squads--biblical-history---gay-penguins" ], "guest": "Edmund Andrews" }, { "date": "2009-07-20", "videos": [ "http://thecolbertreport.cc.com/videos/z5a6bx/walter-cronkite-remembered", "http://thecolbertreport.cc.com/videos/0a6zq6/reverse-racism", "http://thecolbertreport.cc.com/videos/wqv2b7/sport-report---jessica-simpson--olympic-brothel---bud-light", "http://thecolbertreport.cc.com/videos/bowvin/bob-park", "http://thecolbertreport.cc.com/videos/x2ppm1/sign-off---goodnight" ], "guest": "Geoffrey Canada, Bob Park" }, { "date": "2009-07-21", "videos": [ "http://thecolbertreport.cc.com/videos/78h601/intro---07-21-09", "http://thecolbertreport.cc.com/videos/1egi6s/40th-anniversary-of-the-moon-landing", "http://thecolbertreport.cc.com/videos/puckfx/better-know-a-lobby---acorn", "http://thecolbertreport.cc.com/videos/gwtxoo/aaron-carroll", "http://thecolbertreport.cc.com/videos/o84f1o/sign-off---stephen-s-chip", "http://thecolbertreport.cc.com/videos/hmh0yy/reverse-racism---geoffrey-canada" ], "guest": "Dr. Aaron Carroll" }, { "date": "2009-07-22", "videos": [ "http://thecolbertreport.cc.com/videos/j9y28p/intro---07-22-09", "http://thecolbertreport.cc.com/videos/43yfk6/the-longest-solar-eclipse-of-the-century", "http://thecolbertreport.cc.com/videos/8st941/sniper-trifle---matthew-waxman", "http://thecolbertreport.cc.com/videos/gda2z2/pope-wrist-watch", "http://thecolbertreport.cc.com/videos/hlljrv/chris-anderson", "http://thecolbertreport.cc.com/videos/tzs7et/the-word---a-perfect-world" ], "guest": "Matthew Waxman, Chris Anderson" }, { "date": "2009-07-23", "videos": [ "http://thecolbertreport.cc.com/videos/abmeny/health-care-reform-is-the-matrix", "http://thecolbertreport.cc.com/videos/al2ar6/health-care-hell-scare---die-agnosis--mur-dr", "http://thecolbertreport.cc.com/videos/lb7ei8/sign-off---tivo", "http://thecolbertreport.cc.com/videos/l3lw8t/sniper-trifle", "http://thecolbertreport.cc.com/videos/1y6s8z/sign-off---goodnight" ], "guest": "Zev Chafets" }, { "date": "2009-07-27", "videos": [ "http://thecolbertreport.cc.com/videos/g64g5i/intro---07-27-09", "http://thecolbertreport.cc.com/videos/bx3wyo/sarah-palin-will-be-missed", "http://thecolbertreport.cc.com/videos/5mjokj/nailed--em---library-crime", "http://thecolbertreport.cc.com/videos/c4hocz/movits-" ], "guest": "Movits" }, { "date": "2009-07-28", "videos": [ "http://thecolbertreport.cc.com/videos/nwsa83/president-obama-s-teachable-moment", "http://thecolbertreport.cc.com/videos/574gc1/womb-raiders---the-fight-for-the-truth-behind-obama-s-birth", "http://thecolbertreport.cc.com/videos/wg36jw/arianna-huffington", "http://thecolbertreport.cc.com/videos/aayh4c/sign-off---devil-s-tricks", "http://thecolbertreport.cc.com/videos/g64g5i/intro---07-27-09" ], "guest": "Arianna Huffington" }, { "date": "2009-07-29", "videos": [ "http://thecolbertreport.cc.com/videos/n0hvmj/intro---07-29-09", "http://thecolbertreport.cc.com/videos/em0er2/frank-the-roommate", "http://thecolbertreport.cc.com/videos/hw67wd/sport-report---tour-de-france---robotic-baseball", "http://thecolbertreport.cc.com/videos/2dvjk4/kevin-baker", "http://thecolbertreport.cc.com/videos/h00qyf/sign-off---watch-without-blinking", "http://thecolbertreport.cc.com/videos/zafhtu/womb-raiders---orly-taitz" ], "guest": "Kevin Baker" }, { "date": "2009-07-30", "videos": [ "http://thecolbertreport.cc.com/videos/jdw6pa/intro---07-30-09", "http://thecolbertreport.cc.com/videos/uq6k19/white-house-beer-summit", "http://thecolbertreport.cc.com/videos/fmie7p/tip-wag---man-words---movits-", "http://thecolbertreport.cc.com/videos/g75n20/kathryn-bigelow", "http://thecolbertreport.cc.com/videos/2mqpw1/sign-off---taco-bell-spokesdog", "http://thecolbertreport.cc.com/videos/10c870/the-word---he-who-smelt-it--dealt-it" ], "guest": "Kathryn Bigelow" }, { "date": "2009-08-03", "videos": [ "http://thecolbertreport.cc.com/videos/6tkw9s/intro---08-03-09", "http://thecolbertreport.cc.com/videos/g2s68c/dominic-philip-s-book-habit", "http://thecolbertreport.cc.com/videos/kc14p7/nailed--em---war-on-birth-control", "http://thecolbertreport.cc.com/videos/yre45i/tony-zinni", "http://thecolbertreport.cc.com/videos/vv0gs6/sign-off---goodnight" ], "guest": "Gen. Tony Zinni" }, { "date": "2009-08-04", "videos": [ "http://thecolbertreport.cc.com/videos/2qha08/merry-barackmas", "http://thecolbertreport.cc.com/videos/wyon84/the-word---hippie-replacement", "http://thecolbertreport.cc.com/videos/m1d4yt/kurt-andersen", "http://thecolbertreport.cc.com/videos/e8glog/sign-off---love-makes-the-world-go-round", "http://thecolbertreport.cc.com/videos/lqp674/bears---balls---how-to-pay-for-health-care" ], "guest": "Kurt Andersen" }, { "date": "2009-08-05", "videos": [ "http://thecolbertreport.cc.com/videos/dozbxd/bill-clinton-s-personal-appearance", "http://thecolbertreport.cc.com/videos/pedumk/2010-midterms---joe-sestak", "http://thecolbertreport.cc.com/videos/8s2cpt/kris-kobach", "http://thecolbertreport.cc.com/videos/5f7tro/sign-off---goodnight", "http://thecolbertreport.cc.com/videos/7wxgsg/colbert-bump-cocktail---david-wondrich" ], "guest": "Kris Kobach" }, { "date": "2009-08-06", "videos": [ "http://thecolbertreport.cc.com/videos/vesroc/intro---08-06-09", "http://thecolbertreport.cc.com/videos/7qrkub/back-to-school-with-jeremih", "http://thecolbertreport.cc.com/videos/04qijm/movies-that-are-destroying-america---summer", "http://thecolbertreport.cc.com/videos/zar0yt/meryl-streep", "http://thecolbertreport.cc.com/videos/diktol/sign-off---goodnight", "http://thecolbertreport.cc.com/videos/updeyd/human-week" ], "guest": "Meryl Streep" }, { "date": "2009-08-10", "videos": [ "http://thecolbertreport.cc.com/videos/gaywhl/intro---08-10-09", "http://thecolbertreport.cc.com/videos/0aiuqk/death-panels", "http://thecolbertreport.cc.com/videos/1d8uxl/better-know-a-district---maine-s-1st---chellie-pingree", "http://thecolbertreport.cc.com/videos/klodac/barbara-boxer", "http://thecolbertreport.cc.com/videos/9r0u01/sign-off---encore" ], "guest": "Sen. Barbara Boxer" }, { "date": "2009-08-11", "videos": [ "http://thecolbertreport.cc.com/videos/1qhrzu/intro---08-11-09", "http://thecolbertreport.cc.com/videos/tq0ixs/stephen-s-driving-tips-via-twitter-service", "http://thecolbertreport.cc.com/videos/kc7xgf/alpha-dog-of-the-week---betty-lichtenstein", "http://thecolbertreport.cc.com/videos/0ivmu5/jonathan-cohn", "http://thecolbertreport.cc.com/videos/9pu9xl/sign-off---prevent-forest-fires", "http://thecolbertreport.cc.com/videos/dra60l/cold-war-update---cuba---topless-putin" ], "guest": "Jonathan Cohn" }, { "date": "2009-08-12", "videos": [ "http://thecolbertreport.cc.com/videos/9g2evg/intro---08-12-09", "http://thecolbertreport.cc.com/videos/cypmfk/americans-sacrifice-their-ipods", "http://thecolbertreport.cc.com/videos/5esjcx/formidable-opponent---health-care---burger-king", "http://thecolbertreport.cc.com/videos/53n2qf/mark-johnson", "http://thecolbertreport.cc.com/videos/j153gh/yes-we-afghan---james-carville" ], "guest": "Mark Johnson" }, { "date": "2009-08-13", "videos": [ "http://thecolbertreport.cc.com/videos/3rk7mk/intro---08-13-09", "http://thecolbertreport.cc.com/videos/d9wypw/sheila-jackson-lee-takes-a-phone-call", "http://thecolbertreport.cc.com/videos/1fblyv/cheating-death---blue-m-ms--vitamin-d---hormones", "http://thecolbertreport.cc.com/videos/pfw8xc/mark-devlin", "http://thecolbertreport.cc.com/videos/xagarl/sign-off---stephen-s-online-information", "http://thecolbertreport.cc.com/videos/8bsp4q/who-s-not-honoring-me-now----obama--nra---teen-choice-awards" ], "guest": "Mark Devlin" }, { "date": "2009-08-17", "videos": [ "http://thecolbertreport.cc.com/videos/eu8yuk/intro---08-17-09", "http://thecolbertreport.cc.com/videos/54nh4d/obama-publishes-health-care-op-ed", "http://thecolbertreport.cc.com/videos/xe1vuk/even-better-er-know-a-district---colorado-s-2nd---jared-polis", "http://thecolbertreport.cc.com/videos/p4m942/bill-mckibben", "http://thecolbertreport.cc.com/videos/rasuqa/sign-off---goodnight" ], "guest": "Bill McKibben" }, { "date": "2009-08-18", "videos": [ "http://thecolbertreport.cc.com/videos/wagj66/intro---08-18-09", "http://thecolbertreport.cc.com/videos/wu0pjh/hamid-karzai-endorsement", "http://thecolbertreport.cc.com/videos/z3d9c9/tip-wag---german-campaign--russian-dogs---flying-rabbis", "http://thecolbertreport.cc.com/videos/xjhfzn/robert-wright", "http://thecolbertreport.cc.com/videos/nw5bk3/sign-off--shofar", "http://thecolbertreport.cc.com/videos/79rlpw/the-word---must-be-tv" ], "guest": "Robert Wright" }, { "date": "2009-08-19", "videos": [ "http://thecolbertreport.cc.com/videos/eu5hos/barney-frank-refuses-to-talk-to-a-dining-room-table", "http://thecolbertreport.cc.com/videos/f6lol5/sugar-shortage---marion-nestle", "http://thecolbertreport.cc.com/videos/ckefur/ang-lee", "http://thecolbertreport.cc.com/videos/qwyqmu/sign-off---goodnight", "http://thecolbertreport.cc.com/videos/jrwpha/the-word---arch-enemies" ], "guest": "Ang Lee" }, { "date": "2009-08-20", "videos": [ "http://thecolbertreport.cc.com/videos/om1fcy/intro---08-20-09", "http://thecolbertreport.cc.com/videos/bgxuqk/france-bans-elephants", "http://thecolbertreport.cc.com/videos/ho2y6d/stephen-s-sound-advice---how-to-make-babies", "http://thecolbertreport.cc.com/videos/3muzmh/chris-matthews", "http://thecolbertreport.cc.com/videos/gv0u6s/sign-off---vacation-begins", "http://thecolbertreport.cc.com/videos/k1zrq2/colbert-platinum---urbane-nomads--gigayacht---michael-jackson-diamond" ], "guest": "Chris Matthews" }, { "date": "2009-09-14", "videos": [ "http://thecolbertreport.cc.com/videos/dq2vzv/intro---09-14-09", "http://thecolbertreport.cc.com/videos/npiiku/conservatives-are-back", "http://thecolbertreport.cc.com/videos/ehltxr/kanye-west-interrupts-taylor-swift-at-the-vmas", "http://thecolbertreport.cc.com/videos/ljbubg/cory-booker", "http://thecolbertreport.cc.com/videos/4kq9de/sign-off---goodnight" ], "guest": "Cory Booker" }, { "date": "2009-09-15", "videos": [ "http://thecolbertreport.cc.com/videos/drgqxg/world-record-for-mexican-insults", "http://thecolbertreport.cc.com/videos/c9v1s6/the-word---let-freedom-ka-ching", "http://thecolbertreport.cc.com/videos/qm9oq3/christiane-amanpour", "http://thecolbertreport.cc.com/videos/tcjp92/stephen-loses-world-record-to-lou-dobbs", "http://thecolbertreport.cc.com/videos/hen1ip/better-know-a-lobby---health-care-for-america-now" ], "guest": "Christiane Amanpour" }, { "date": "2009-09-16", "videos": [ "http://thecolbertreport.cc.com/videos/ch7xyz/intro---09-16-09", "http://thecolbertreport.cc.com/videos/dp3jiw/body-worlds-plans-cadaver-sex-exhibit", "http://thecolbertreport.cc.com/videos/p1ugzo/figgy-moonpowder", "http://thecolbertreport.cc.com/videos/1642tt/wayne-coyne", "http://thecolbertreport.cc.com/videos/pafbhp/citizens-united-v--federal-election-commission---jeffrey-toobin" ], "guest": "The Flaming Lips" }, { "date": "2009-09-17", "videos": [ "http://thecolbertreport.cc.com/videos/oclyoo/goat-lab", "http://thecolbertreport.cc.com/videos/5psdx6/goat-lab---jon-ronson", "http://thecolbertreport.cc.com/videos/3zmd8j/frank-bruni", "http://thecolbertreport.cc.com/videos/xl4dp2/i-s-on-edjukashun---muslim-textbooks---tony-danza" ], "guest": "Frank Bruni" }, { "date": "2009-09-22", "videos": [ "http://thecolbertreport.cc.com/videos/fscepw/intro---09-22-09", "http://thecolbertreport.cc.com/videos/brwe58/atone-phone---emmy-awards", "http://thecolbertreport.cc.com/videos/h3pbsv/atone-phone---jon-stewart-calls-to-apologize", "http://thecolbertreport.cc.com/videos/oqiy0y/shai-agassi", "http://thecolbertreport.cc.com/videos/zxvw0a/sign-off---shofar-goodnight" ], "guest": "Shai Agassi" }, { "date": "2009-09-23", "videos": [ "http://thecolbertreport.cc.com/videos/epco4o/lunatic-dictator-accommodations", "http://thecolbertreport.cc.com/videos/xtts8p/capitalism-s-enemy---michael-moore", "http://thecolbertreport.cc.com/videos/hwx2pv/aj-jacobs", "http://thecolbertreport.cc.com/videos/8ch7no/sign-off---thank-you-for-joining-us", "http://thecolbertreport.cc.com/videos/npdo9z/tip-wag---guns-on-amtrak--fake-lesbians---battleship-audition" ], "guest": "Michael Moore, A.J. Jacobs" }, { "date": "2009-09-24", "videos": [ "http://thecolbertreport.cc.com/videos/92d7p3/intro---09-24-09", "http://thecolbertreport.cc.com/videos/srdbkv/atone-phone---larry-king-calls", "http://thecolbertreport.cc.com/videos/f4xrhk/easter-under-attack---peeps-display", "http://thecolbertreport.cc.com/videos/xqer72/ken-burns", "http://thecolbertreport.cc.com/videos/cqqzqe/sign-off---automated-desk", "http://thecolbertreport.cc.com/videos/rh4p4f/tom-delay-dances-with-the-stars" ], "guest": "Ken Burns" }, { "date": "2009-09-28", "videos": [ "http://thecolbertreport.cc.com/videos/ph4cw3/atone-phone---last-day-of-apologies", "http://thecolbertreport.cc.com/videos/89wc6t/do--dump-or-marry", "http://thecolbertreport.cc.com/videos/r9at2m/sheryl-wudunn", "http://thecolbertreport.cc.com/videos/wsefin/sign-off---goodnight--conan" ], "guest": "Sheryl WuDunn" }, { "date": "2009-09-29", "videos": [ "http://thecolbertreport.cc.com/videos/8qd7gf/intro---09-29-09", "http://thecolbertreport.cc.com/videos/4bcajc/spider-pope", "http://thecolbertreport.cc.com/videos/22jcm5/cheating-death---snus---placebo-effect", "http://thecolbertreport.cc.com/videos/03ei16/matt-latimer", "http://thecolbertreport.cc.com/videos/7bmnxg/sign-off---richard-dawkins-will-be-here-tomorrow", "http://thecolbertreport.cc.com/videos/ph4cw3/atone-phone---last-day-of-apologies" ], "guest": "Matt Latimer" }, { "date": "2009-09-30", "videos": [ "http://thecolbertreport.cc.com/videos/6bhu7e/intro---09-30-09", "http://thecolbertreport.cc.com/videos/rrbojv/send-your-medical-bills-to-max-baucus", "http://thecolbertreport.cc.com/videos/m2yjay/a-pace-odyssey", "http://thecolbertreport.cc.com/videos/jhrv69/richard-dawkins", "http://thecolbertreport.cc.com/videos/t5u4g8/sign-off---goodnight--grammy", "http://thecolbertreport.cc.com/videos/kf4xf5/the-word---out-of-the-closet" ], "guest": "Richard Dawkins" }, { "date": "2009-10-01", "videos": [ "http://thecolbertreport.cc.com/videos/wlav1v/najibullah-zazi-threatens-beauty-supplies", "http://thecolbertreport.cc.com/videos/6dv0jz/2016-olympics-in-chicago---george-wendt", "http://thecolbertreport.cc.com/videos/zxuz0a/francis-collins", "http://thecolbertreport.cc.com/videos/q9o9qv/sign-off---new-slang", "http://thecolbertreport.cc.com/videos/91s6ka/threatdown---environmentalists--kang-lee---mountain-pine-beetles" ], "guest": "George Wendt, Dr. Francis Collins" }, { "date": "2009-10-05", "videos": [ "http://thecolbertreport.cc.com/videos/733czp/intro---10-05-09", "http://thecolbertreport.cc.com/videos/7yi77e/americans-for-prosperity-cheer-chicago-s-failure", "http://thecolbertreport.cc.com/videos/k8e7bl/eating-the-distance---the-brad-sciullo-story-pt--2", "http://thecolbertreport.cc.com/videos/wfl2if/arne-duncan", "http://thecolbertreport.cc.com/videos/d1uxmt/sign-off---goodnight" ], "guest": "Arne Duncan" }, { "date": "2009-10-06", "videos": [ "http://thecolbertreport.cc.com/videos/lomf6q/new-swine-flu-vaccine-drops", "http://thecolbertreport.cc.com/videos/7060r2/the-road-ahead-in-afghanistan---lara-logan", "http://thecolbertreport.cc.com/videos/yz886x/john-darnielle", "http://thecolbertreport.cc.com/videos/58l1kv/the-word---learning-is-fundamental" ], "guest": "Lara Logan, the Mountain Goats" }, { "date": "2009-10-07", "videos": [ "http://thecolbertreport.cc.com/videos/kt8d60/intro---10-07-09", "http://thecolbertreport.cc.com/videos/p6tyac/human-sacrifice-channel", "http://thecolbertreport.cc.com/videos/i1e7h0/craziest-f--king-thing-i-ve-ever-heard---eye-tooth", "http://thecolbertreport.cc.com/videos/59gyno/alison-gopnik", "http://thecolbertreport.cc.com/videos/9ergzb/sign-off---jasper-t--jowls", "http://thecolbertreport.cc.com/videos/qm22ls/formula-401--a-star-is-born" ], "guest": "Alison Gopnik" }, { "date": "2009-10-08", "videos": [ "http://thecolbertreport.cc.com/videos/ac6rq4/intro---10-08-09", "http://thecolbertreport.cc.com/videos/u1v1j7/kevin-the-iranian-intern", "http://thecolbertreport.cc.com/videos/jigfye/sport-report---rush-limbaugh---ted-williams--frozen-head", "http://thecolbertreport.cc.com/videos/ih4ouf/colin-beavan", "http://thecolbertreport.cc.com/videos/7t5ve1/sign-off---buddy-system", "http://thecolbertreport.cc.com/videos/81wvda/tip-wag---conservapedia--louvre---honda-unicycle" ], "guest": "Colin Beavan" }, { "date": "2009-10-12", "videos": [ "http://thecolbertreport.cc.com/videos/6s4gb6/intro---10-12-09", "http://thecolbertreport.cc.com/videos/xiuiwd/happy-columbus-day", "http://thecolbertreport.cc.com/videos/vnmcv0/fallback-position---james-blake", "http://thecolbertreport.cc.com/videos/2ko3eq/sanjay-gupta", "http://thecolbertreport.cc.com/videos/izp5gd/sign-off---thanks-to-the-guests" ], "guest": "Shashi Tharoor, Dr. Sanjay Gupta" }, { "date": "2009-10-13", "videos": [ "http://thecolbertreport.cc.com/videos/g87deh/intro---10-13-09", "http://thecolbertreport.cc.com/videos/4cco61/jermaine-maine-tweets-miley-cyrus-facts", "http://thecolbertreport.cc.com/videos/7jpek6/the-born-supremacy---david-javerbaum", "http://thecolbertreport.cc.com/videos/s52xb5/sylvia-earle", "http://thecolbertreport.cc.com/videos/obxlza/sign-off---gmail", "http://thecolbertreport.cc.com/videos/l4n6tb/war-of-peace---shashi-tharoor" ], "guest": "David Javerbaum, Sylvia Earle" }, { "date": "2009-10-14", "videos": [ "http://thecolbertreport.cc.com/videos/g6skj6/pat-roberts-warns-against-health-care-box-canyon", "http://thecolbertreport.cc.com/videos/3copn0/the-obesity-epidemic---amy-farrell", "http://thecolbertreport.cc.com/videos/ljym9p/the-rza", "http://thecolbertreport.cc.com/videos/wijvgm/sign-off---should-have-put-a-ring-on-it", "http://thecolbertreport.cc.com/videos/m5y3ox/the-word---symbol-minded" ], "guest": "Amy Farrell, The RZA" }, { "date": "2009-10-15", "videos": [ "http://thecolbertreport.cc.com/videos/0bzt4y/intro---10-15-09", "http://thecolbertreport.cc.com/videos/0a133r/the-money-shot", "http://thecolbertreport.cc.com/videos/8xmsj4/the-mayo-lution-will-not-be-televised", "http://thecolbertreport.cc.com/videos/7s45sd/jerry-mitchell", "http://thecolbertreport.cc.com/videos/sgqznj/sign-off---stephen-unveils-a-new-portrait", "http://thecolbertreport.cc.com/videos/ubn9ao/yahweh-or-no-way---legislation-prayers---fake-shroud-of-turin" ], "guest": "Jerry Mitchell" }, { "date": "2009-10-26", "videos": [ "http://thecolbertreport.cc.com/videos/4srpg9/george-will-s-long-tie", "http://thecolbertreport.cc.com/videos/gy6tin/the-word---don-t-ask-don-t-tell", "http://thecolbertreport.cc.com/videos/xhz2mw/cornel-west", "http://thecolbertreport.cc.com/videos/2onypd/sign-off---don-t-move" ], "guest": "Cornel West" }, { "date": "2009-10-27", "videos": [ "http://thecolbertreport.cc.com/videos/l98jof/intro---10-27-09", "http://thecolbertreport.cc.com/videos/3f3ssx/george-w--bush-s-motivational-speech", "http://thecolbertreport.cc.com/videos/wtcyjy/colbert-platinum---harvard-billionaires---red-diamond-suv", "http://thecolbertreport.cc.com/videos/8c9hx0/gail-collins", "http://thecolbertreport.cc.com/videos/plvf84/sign-off---goodnight-", "http://thecolbertreport.cc.com/videos/liq1p2/job-recommendation-from-stephen-colbert", "http://thecolbertreport.cc.com/videos/dtlk2w/stephen-s-sound-advice---how-to-get-a-job" ], "guest": "Randall Balmer, Gail Collins" }, { "date": "2009-10-28", "videos": [ "http://thecolbertreport.cc.com/videos/zspzvk/intro---10-28-09", "http://thecolbertreport.cc.com/videos/qvcosm/joe-lieberman-is-a-true-independent", "http://thecolbertreport.cc.com/videos/1r96o8/big-bang-theory", "http://thecolbertreport.cc.com/videos/3r9su2/brian-cox", "http://thecolbertreport.cc.com/videos/bzrvnc/sign-off---future-stephen", "http://thecolbertreport.cc.com/videos/1va17m/holy-water-under-the-bridge---randall-balmer" ], "guest": "Brian Cox" }, { "date": "2009-10-29", "videos": [ "http://thecolbertreport.cc.com/videos/bbj9sz/intro---10-29-09", "http://thecolbertreport.cc.com/videos/yl6xd1/usa-today-slams-dirigibles", "http://thecolbertreport.cc.com/videos/al6ssq/threatdown---halloween-edition", "http://thecolbertreport.cc.com/videos/ku01px/bill-simmons", "http://thecolbertreport.cc.com/videos/xalyef/sign-off---thanks-to-bill-simmons---rosanne-cash", "http://thecolbertreport.cc.com/videos/w56skk/the-word---you-genics" ], "guest": "Rosanne Cash, Bill Simmons" }, { "date": "2009-11-02", "videos": [ "http://thecolbertreport.cc.com/videos/vfdy5q/intro---11-02-09", "http://thecolbertreport.cc.com/videos/uke17x/used-karzai", "http://thecolbertreport.cc.com/videos/uxgb9s/alpha-dog-of-the-week---arnold-schwarzenegger", "http://thecolbertreport.cc.com/videos/t62cji/nicholas-thompson", "http://thecolbertreport.cc.com/videos/7g9pgn/sign-off---donate-to-the-u-s--speedskating-team" ], "guest": "Nicholas Thompson" }, { "date": "2009-11-03", "videos": [ "http://thecolbertreport.cc.com/videos/hlio3b/intro---11-03-09", "http://thecolbertreport.cc.com/videos/zbi6j6/canadian-hackers-sabotage-colbert-nation", "http://thecolbertreport.cc.com/videos/olb2ep/nailed--em---mormon-church-trespassing", "http://thecolbertreport.cc.com/videos/qdk21v/andrew-sullivan", "http://thecolbertreport.cc.com/videos/sqdke8/sign-off---they-call-me-mister-fry", "http://thecolbertreport.cc.com/videos/b7il1x/sport-report---nyc-marathon---olympic-speedskating" ], "guest": "Andrew Sullivan" }, { "date": "2009-11-04", "videos": [ "http://thecolbertreport.cc.com/videos/wm06ja/intro---11-04-09", "http://thecolbertreport.cc.com/videos/hzm3ur/-09-off-year-semi-presidential-electferendum", "http://thecolbertreport.cc.com/videos/src597/formidable-opponent---global-warming-with-al-gore", "http://thecolbertreport.cc.com/videos/lkkq9m/harold-evans", "http://thecolbertreport.cc.com/videos/64ucdo/sign-off---poison-gas", "http://thecolbertreport.cc.com/videos/ol1mvi/the-word---the-green-mile" ], "guest": "Harold Evans" }, { "date": "2009-11-05", "videos": [ "http://thecolbertreport.cc.com/videos/ymrkt5/intro---11-05-09", "http://thecolbertreport.cc.com/videos/i7dq6q/guy-fawkers", "http://thecolbertreport.cc.com/videos/6vac7m/cheating-death---swine-flu-scam-detector---vaxaconda", "http://thecolbertreport.cc.com/videos/cj1lqu/william-bratton", "http://thecolbertreport.cc.com/videos/6e51a0/sign-off---donate-to-u-s--speedskating", "http://thecolbertreport.cc.com/videos/hnu3dh/tip-wag---rush-limbaugh---us-weekly" ], "guest": "Joey Cheek, Chief William Bratton" }, { "date": "2009-11-09", "videos": [ "http://thecolbertreport.cc.com/videos/p4del4/intro---11-09-09", "http://thecolbertreport.cc.com/videos/zhrahz/trouble--coverage", "http://thecolbertreport.cc.com/videos/uaeaom/u-s--speedskating-team-takes-gold", "http://thecolbertreport.cc.com/videos/62flai/thomas-campbell", "http://thecolbertreport.cc.com/videos/5hgk8f/sign-off---goodnight" ], "guest": "Thomas Campbell" }, { "date": "2009-11-10", "videos": [ "http://thecolbertreport.cc.com/videos/nwm4io/intro---11-10-09", "http://thecolbertreport.cc.com/videos/bpec5m/barney-frank-is-not-a-great-outdoorsman", "http://thecolbertreport.cc.com/videos/476wty/maria-shriver", "http://thecolbertreport.cc.com/videos/rl73xb/sign-off---you-can-t-take-it-with-you", "http://thecolbertreport.cc.com/videos/ocuoqq/exclusive---better-know-a-district---delaware-s-at-large---mike-castle", "http://thecolbertreport.cc.com/videos/i4pgl0/better-know-a-district---delaware-s-at-large---mike-castle" ], "guest": "Maria Shriver" }, { "date": "2009-11-11", "videos": [ "http://thecolbertreport.cc.com/videos/8m4icj/intro---11-11-09", "http://thecolbertreport.cc.com/videos/d3hhgz/goldman-sachs-does-god-s-work", "http://thecolbertreport.cc.com/videos/1al5v4/tip-wag---san-francisco-chronicle---george-clinton", "http://thecolbertreport.cc.com/videos/p4wqld/christopher-caldwell", "http://thecolbertreport.cc.com/videos/xp7fig/sign-off---stephen-s-fight-with-christopher-caldwell", "http://thecolbertreport.cc.com/videos/2vmljd/iraniversary---karim-sadjadpour" ], "guest": "Christopher Caldwell" }, { "date": "2009-11-12", "videos": [ "http://thecolbertreport.cc.com/videos/lbfhkm/intro---11-12-09", "http://thecolbertreport.cc.com/videos/cnw6wz/miracle-whip-buys-ad-space", "http://thecolbertreport.cc.com/videos/ips2v8/the-word---the-money-shot", "http://thecolbertreport.cc.com/videos/2k90o4/sport-report---cricket-scandal---letter-writing-campaign", "http://thecolbertreport.cc.com/videos/1yilwm/woody-harrelson", "http://thecolbertreport.cc.com/videos/l85kiv/grover-the-hill" ], "guest": "Woody Harrelson" }, { "date": "2009-11-16", "videos": [ "http://thecolbertreport.cc.com/videos/t5pqdy/intro---11-16-09", "http://thecolbertreport.cc.com/videos/8ggl86/obama-bows-to-japanese-emperor", "http://thecolbertreport.cc.com/videos/xgze85/alpha-dog-of-the-week---joe-perry", "http://thecolbertreport.cc.com/videos/6einjp/paul-goldberger", "http://thecolbertreport.cc.com/videos/i42i9t/sign-off---good-morning--burma" ], "guest": "Paul Goldberger" }, { "date": "2009-11-17", "videos": [ "http://thecolbertreport.cc.com/videos/im99fb/intro---11-17-09", "http://thecolbertreport.cc.com/videos/z1cr8v/kid-gloves---marc-kielburger", "http://thecolbertreport.cc.com/videos/ij8d04/malcolm-gladwell", "http://thecolbertreport.cc.com/videos/w71om6/sign-off---goodnight", "http://thecolbertreport.cc.com/videos/mwjf6e/the-word---skeletons-in-the-closet" ], "guest": "Malcolm Gladwell" }, { "date": "2009-11-18", "videos": [ "http://thecolbertreport.cc.com/videos/24jack/intro---11-18-09", "http://thecolbertreport.cc.com/videos/odu5xx/eggo-waffles-shortage-alert", "http://thecolbertreport.cc.com/videos/cuhtda/threatdown---quetzalcoatl--santa-claus---canadian-groin-kickers", "http://thecolbertreport.cc.com/videos/ah5dzo/norah-jones", "http://thecolbertreport.cc.com/videos/1vm4fs/exclusive---better-know-a-district---california-s-12th---jackie-speier-pt--1", "http://thecolbertreport.cc.com/videos/udd9qu/exclusive---better-know-a-district---california-s-12th---jackie-speier-pt--2", "http://thecolbertreport.cc.com/videos/p8c7xo/better-know-a-district---california-s-12th---jackie-speier" ], "guest": "Norah Jones" }, { "date": "2009-11-19", "videos": [ "http://thecolbertreport.cc.com/videos/6iz54h/stephen-shakes-his-moneymaker", "http://thecolbertreport.cc.com/videos/4tmz49/celebrating-the-ak-47---john-pike", "http://thecolbertreport.cc.com/videos/zy3jiq/sign-off---thanks--elvis-costello", "http://thecolbertreport.cc.com/videos/tf53hs/the-word---grand-old-pity-party" ], "guest": "John Pike, Elvis Costello" }, { "date": "2009-11-30", "videos": [ "http://thecolbertreport.cc.com/videos/x90ton/intro---11-30-09", "http://thecolbertreport.cc.com/videos/qljewq/amateur-hour-at-the-white-house", "http://thecolbertreport.cc.com/videos/ahhfo9/better-know-a-lobby---ploughshares-fund", "http://thecolbertreport.cc.com/videos/ec0x55/cevin-soling", "http://thecolbertreport.cc.com/videos/53k9co/sign-off---goodnight" ], "guest": "Dan Esty, Cevin Soling" }, { "date": "2009-12-01", "videos": [ "http://thecolbertreport.cc.com/videos/jvjn7h/intro---12-01-09", "http://thecolbertreport.cc.com/videos/fj2x2m/u-s--army-chain-of-command", "http://thecolbertreport.cc.com/videos/zwjey6/gold--frankincense-and-mars---guy-consolmagno", "http://thecolbertreport.cc.com/videos/s6mur0/sherman-alexie", "http://thecolbertreport.cc.com/videos/km8wtf/sign-off---goodnight", "http://thecolbertreport.cc.com/videos/bohr52/something-is-melting-in-denmark---dan-esty" ], "guest": "Guy Consolmagno, Sherman Alexie" }, { "date": "2009-12-02", "videos": [ "http://thecolbertreport.cc.com/videos/lstmf1/intro---12-02-09", "http://thecolbertreport.cc.com/videos/yvq647/deployment-figures", "http://thecolbertreport.cc.com/videos/et6ksb/craig-watkins", "http://thecolbertreport.cc.com/videos/cyylc0/sign-off---goodnight", "http://thecolbertreport.cc.com/videos/ndi826/better-know-a-made-up-district---connecticut-s-42nd" ], "guest": "Craig Watkins" }, { "date": "2009-12-03", "videos": [ "http://thecolbertreport.cc.com/videos/qrqaja/formidable-opponent---gary-the-tennis-coach", "http://thecolbertreport.cc.com/videos/q8vv0p/intro---12-03-09", "http://thecolbertreport.cc.com/videos/knxrx6/tiger-s-tale", "http://thecolbertreport.cc.com/videos/hw80nv/skate-expectations---skeleton-team-tryouts---zach-lund", "http://thecolbertreport.cc.com/videos/heye88/janet-napolitano", "http://thecolbertreport.cc.com/videos/dy9y1l/sign-off---welcome-sean-julien", "http://thecolbertreport.cc.com/videos/qx8k9b/cheating-death---r-j--reynolds--genzyme---bionic-bottom" ], "guest": "Sec. Janet Napolitano" }, { "date": "2009-12-07", "videos": [ "http://thecolbertreport.cc.com/videos/opl0gz/intro---12-07-09", "http://thecolbertreport.cc.com/videos/l9wksx/who-s-attacking-me-now----g--edward-deseve", "http://thecolbertreport.cc.com/videos/t0b3f4/craziest-f--king-thing-i-ve-ever-heard---tongue-eating-parasite", "http://thecolbertreport.cc.com/videos/pgp8y2/bill-t--jones" ], "guest": "Bill T. Jones, a performance by the cast of \"Fela\"" }, { "date": "2009-12-08", "videos": [ "http://thecolbertreport.cc.com/videos/7a6f7k/intro---12-08-09", "http://thecolbertreport.cc.com/videos/0y3uce/how-far-good-parents-will-go", "http://thecolbertreport.cc.com/videos/gcu1ou/fed-s-dead---bernie-sanders", "http://thecolbertreport.cc.com/videos/9o2lyz/andy-schlafly", "http://thecolbertreport.cc.com/videos/2v1vhb/sign-off---goodnight", "http://thecolbertreport.cc.com/videos/w4zn3p/tip-wag---jonas-brothers--fox-news---japanese-burger-king" ], "guest": "Sen. Bernie Sanders, Andy Schlafly" }, { "date": "2009-12-09", "videos": [ "http://thecolbertreport.cc.com/videos/fdjwxb/intro---12-09-09", "http://thecolbertreport.cc.com/videos/ckek7p/monkey-threatdown---holes---banana-too-high", "http://thecolbertreport.cc.com/videos/h3kb0s/the-blitzkrieg-on-grinchitude---hallmark---krampus", "http://thecolbertreport.cc.com/videos/is6uvv/matt-taibbi", "http://thecolbertreport.cc.com/videos/mlp3y1/sign-off---goodnight-with-krampus", "http://thecolbertreport.cc.com/videos/2l8p98/fed-s-dead" ], "guest": "Matt Taibbi" }, { "date": "2009-12-10", "videos": [ "http://thecolbertreport.cc.com/videos/03g0d5/obama-s-nobel-prize-speech---afghandyland", "http://thecolbertreport.cc.com/videos/zivscx/skate-expectations---bobsled-team-tryouts", "http://thecolbertreport.cc.com/videos/hjnxot/lara-logan", "http://thecolbertreport.cc.com/videos/y74r8f/sign-off---goodnight", "http://thecolbertreport.cc.com/videos/2jc7dn/the-word---grand-old-purity" ], "guest": "Lara Logan" }, { "date": "2009-12-14", "videos": [ "http://thecolbertreport.cc.com/videos/efg3d5/intro---12-14-09", "http://thecolbertreport.cc.com/videos/9wxgc9/president-obama---the-colbert-interview", "http://thecolbertreport.cc.com/videos/t1tsns/stephen-challenges-shani-davis---katherine-reutter", "http://thecolbertreport.cc.com/videos/vt4qtf/snoop-dogg" ], "guest": "Katherine Reutter, Snoop Dogg" }, { "date": "2009-12-15", "videos": [ "http://thecolbertreport.cc.com/videos/x6ydfv/intro---12-15-09", "http://thecolbertreport.cc.com/videos/3plx6x/for-he-s-a-jowly-good-fellow", "http://thecolbertreport.cc.com/videos/10vyk2/the-blitzkrieg-on-grinchitude---treesus---christ-mas-tree", "http://thecolbertreport.cc.com/videos/i16cci/alicia-keys", "http://thecolbertreport.cc.com/videos/qn15hk/stephen-challenges-shani-davis", "http://thecolbertreport.cc.com/videos/u5g55p/exclusive---extended-interview-with-barack-obama" ], "guest": "Alicia Keys" }, { "date": "2009-12-16", "videos": [ "http://thecolbertreport.cc.com/videos/ozgmuy/accenture-drops-tiger-woods", "http://thecolbertreport.cc.com/videos/4jdam2/the-word---spyvate-sector", "http://thecolbertreport.cc.com/videos/bjlb37/tom-brokaw", "http://thecolbertreport.cc.com/videos/q9eqq1/sign-off---goodbye--2009", "http://thecolbertreport.cc.com/videos/ufq6qh/prescott-financial---gold--women---sheep" ], "guest": "Tom Brokaw" } ], "2010": [ { "date": "2010-01-04", "videos": [ "http://thecolbertreport.cc.com/videos/a6c63f/intro---goodbye--old-set", "http://thecolbertreport.cc.com/videos/qr3067/high-definition-upgrade", "http://thecolbertreport.cc.com/videos/ca8z2z/genitalia-bomb-threat", "http://thecolbertreport.cc.com/videos/hospuh/skate-expectations---curling-team-tryouts", "http://thecolbertreport.cc.com/videos/bqki32/skate-expectations---curling-team-tryouts---colbert-vs--shuster", "http://thecolbertreport.cc.com/videos/ytow3n/sign-off---thanks-for-the-new-set" ], "guest": "Erick Erickson" }, { "date": "2010-01-05", "videos": [ "http://thecolbertreport.cc.com/videos/l0fai0/intro---01-05-10", "http://thecolbertreport.cc.com/videos/qomtkk/high-definition-advertising", "http://thecolbertreport.cc.com/videos/ywy8j4/night-of-terror---the-crapification-of-the-american-pant-scape", "http://thecolbertreport.cc.com/videos/s2n141/the-word---ideal-or-no-deal", "http://thecolbertreport.cc.com/videos/t3fpvm/better-know-an-enemy---yemen", "http://thecolbertreport.cc.com/videos/r8x6ag/riley-crane", "http://thecolbertreport.cc.com/videos/doe1xo/sign-off---stephen-draws-woodstock" ], "guest": "Riley Crane" }, { "date": "2010-01-06", "videos": [ "http://thecolbertreport.cc.com/videos/rewr4u/intro---01-06-10", "http://thecolbertreport.cc.com/videos/u584e6/a-message-to-standard-definition-cable-providers", "http://thecolbertreport.cc.com/videos/g2gimh/drag-me-to-health---ezra-klein---linda-douglass", "http://thecolbertreport.cc.com/videos/h3mxst/alpha-dog-of-the-week---domino-s-pizza", "http://thecolbertreport.cc.com/videos/4cd9bx/charles-moore", "http://thecolbertreport.cc.com/videos/elm4s5/sign-off---not-stephen-s-show" ], "guest": "Capt. Charles Moore" }, { "date": "2010-01-07", "videos": [ "http://thecolbertreport.cc.com/videos/uo3v4r/intro---01-07-10", "http://thecolbertreport.cc.com/videos/f2zb2u/failure-to-connect-the-dots", "http://thecolbertreport.cc.com/videos/z3kdhi/fatal-subtraction---barry-scheck", "http://thecolbertreport.cc.com/videos/wi0ong/tip-wag---burj-dubai--avatar---transgender-appointees", "http://thecolbertreport.cc.com/videos/c3suh9/james-fowler", "http://thecolbertreport.cc.com/videos/tso1cs/sign-off---goodnight" ], "guest": "Barry Scheck, James Fowler" }, { "date": "2010-01-11", "videos": [ "http://thecolbertreport.cc.com/videos/xptxw6/harry-reid-s-racial-praise", "http://thecolbertreport.cc.com/videos/3s1wqs/move-your-money---eugene-jarecki", "http://thecolbertreport.cc.com/videos/y47i8f/colbert-platinum---estate-tax---skull-ballot-box", "http://thecolbertreport.cc.com/videos/4q61kj/morgan-freeman", "http://thecolbertreport.cc.com/videos/8e60wq/sign-off---stephen-will-be-right-back" ], "guest": "Eugene Jarecki, Morgan Freeman" }, { "date": "2010-01-12", "videos": [ "http://thecolbertreport.cc.com/videos/qjn9bh/intro---01-12-10", "http://thecolbertreport.cc.com/videos/7qig8p/roxxxy-the-sex-robot", "http://thecolbertreport.cc.com/videos/8ln9tv/cheating-death---alzheimer-s--jet-lag---female-libido", "http://thecolbertreport.cc.com/videos/7jfkm7/raj-patel" ], "guest": "Raj Patel" }, { "date": "2010-01-13", "videos": [ "http://thecolbertreport.cc.com/videos/w3lt72/intro---01-13-10", "http://thecolbertreport.cc.com/videos/34mknq/game-change-gossip", "http://thecolbertreport.cc.com/videos/kwpeqs/sport-report---gilbert-arenas---mark-mcgwire", "http://thecolbertreport.cc.com/videos/t39jgx/movies-that-are-destroying-america---avatar-edition", "http://thecolbertreport.cc.com/videos/1xyrig/john-heilemann", "http://thecolbertreport.cc.com/videos/erf677/sign-off---mark-mcgwire-action-figure" ], "guest": "John Heilemann" }, { "date": "2010-01-14", "videos": [ "http://thecolbertreport.cc.com/videos/t151qr/intro---01-14-10", "http://thecolbertreport.cc.com/videos/dbcboq/watercressgate", "http://thecolbertreport.cc.com/videos/et1vio/the-word---honor-bound", "http://thecolbertreport.cc.com/videos/7owg19/haiti-disaster-relief-donations---kathleen-sebelius", "http://thecolbertreport.cc.com/videos/gqd029/kathleen-sebelius", "http://thecolbertreport.cc.com/videos/afqd2o/sign-off---text-for-haiti-disaster-relief" ], "guest": "Kathleen Sebelius" }, { "date": "2010-01-18", "videos": [ "http://thecolbertreport.cc.com/videos/i2h2wa/intro---01-18-10", "http://thecolbertreport.cc.com/videos/uqolbx/massachusetts-special-election", "http://thecolbertreport.cc.com/videos/6s93dq/coal-comfort---margaret-palmer", "http://thecolbertreport.cc.com/videos/2kgg0x/own-a-piece-of-histor-me---original-interview-table", "http://thecolbertreport.cc.com/videos/r6fzoi/emily-pilloton", "http://thecolbertreport.cc.com/videos/47fs6h/sign-off---home-barbershop-quartet-game" ], "guest": "Dr. Margaret Palmer, Emily Pilloton" }, { "date": "2010-01-19", "videos": [ "http://thecolbertreport.cc.com/videos/w2qqgl/intro---01-19-10", "http://thecolbertreport.cc.com/videos/9t5rlw/onward-christian-soldiers", "http://thecolbertreport.cc.com/videos/eseeb0/skate-expectations---speedskating-team-training", "http://thecolbertreport.cc.com/videos/nw0obk/skate-expectations---speedskating-team-training---tucker-fredricks", "http://thecolbertreport.cc.com/videos/wljw31/stephen-bosworth", "http://thecolbertreport.cc.com/videos/5zz1m5/sign-off---teleprompter-in-italics" ], "guest": "Amb. Stephen Bosworth" }, { "date": "2010-01-20", "videos": [ "http://thecolbertreport.cc.com/videos/oarl2s/intro---01-20-10", "http://thecolbertreport.cc.com/videos/9fshqm/boston-dream-guy", "http://thecolbertreport.cc.com/videos/h7cxuq/skate-expectations---speedskating-race", "http://thecolbertreport.cc.com/videos/r0fs08/skate-expectations---speedskating-team-training---colbert-vs--davis", "http://thecolbertreport.cc.com/videos/9qoq3s/dick-ebersol", "http://thecolbertreport.cc.com/videos/ekjbd1/sign-off---original-interview-table-auction" ], "guest": "Dick Ebersol" }, { "date": "2010-01-21", "videos": [ "http://thecolbertreport.cc.com/videos/dhnvbi/intro---01-21-10", "http://thecolbertreport.cc.com/videos/a891l1/own-a-piece-of-histor-me---legendary-interview-table", "http://thecolbertreport.cc.com/videos/3t1wu4/taliban-public-relations", "http://thecolbertreport.cc.com/videos/61faxb/the-word---two-faced", "http://thecolbertreport.cc.com/videos/fqdy69/threatdown---airport-security-edition", "http://thecolbertreport.cc.com/videos/nchr4z/john-farmer", "http://thecolbertreport.cc.com/videos/ngpu7c/sign-off---raise-money-for-haiti-relief" ], "guest": "John Farmer" }, { "date": "2010-01-25", "videos": [ "http://thecolbertreport.cc.com/videos/ucog8c/intro---01-25-10", "http://thecolbertreport.cc.com/videos/2i26ye/obama-gets-called-for-jury-duty", "http://thecolbertreport.cc.com/videos/iyaiyz/the-word---manifest-density", "http://thecolbertreport.cc.com/videos/fgn6yx/alpha-dog-of-the-week---harold-ford-jr-", "http://thecolbertreport.cc.com/videos/y99wku/kati-marton", "http://thecolbertreport.cc.com/videos/6u56ui/sign-off---50th-anniversary-of-bubble-wrap" ], "guest": "Kati Marton" }, { "date": "2010-01-26", "videos": [ "http://thecolbertreport.cc.com/videos/8ukd1u/andre-bauer-is-not-against-animals", "http://thecolbertreport.cc.com/videos/1qu3mj/democrats-must-fight-back---paul-begala", "http://thecolbertreport.cc.com/videos/4cv6sy/tip-wag---creigh-deeds---scarebear-trail-companion", "http://thecolbertreport.cc.com/videos/t59ksv/mika-brzezinski", "http://thecolbertreport.cc.com/videos/oz7mss/own-a-piece-of-histor-me---original-c-shaped-anchor-desk" ], "guest": "Paul Begala, Mika Brzezinski" }, { "date": "2010-01-27", "videos": [ "http://thecolbertreport.cc.com/videos/5wqyfx/intro---01-27-10", "http://thecolbertreport.cc.com/videos/69904a/hamid-karzai-s-fashionable-hat", "http://thecolbertreport.cc.com/videos/99bavp/the-word---prece-don-t", "http://thecolbertreport.cc.com/videos/9hb7jh/fox-news-puts-james-o-keefe-into-context", "http://thecolbertreport.cc.com/videos/suw63r/arthur-benjamin", "http://thecolbertreport.cc.com/videos/iljqkj/sign-off---give-stephen-an-ipad" ], "guest": "Arthur Benjamin" }, { "date": "2010-01-28", "videos": [ "http://thecolbertreport.cc.com/videos/pg6y12/stephen-s-state-of-the-union-speech", "http://thecolbertreport.cc.com/videos/lnaqfo/david-gergen", "http://thecolbertreport.cc.com/videos/jsxv0a/sport-report---all-white-basketball---jana-rawlinson", "http://thecolbertreport.cc.com/videos/xebsoq/sign-off---bid-on-stephen-s-c-shaped-desk" ], "guest": "David Gergen" }, { "date": "2010-02-01", "videos": [ "http://thecolbertreport.cc.com/videos/pg94s5/the-word---siren-song", "http://thecolbertreport.cc.com/videos/2n1vl2/sport-report---nicole-detling-miller---jessica-smith", "http://thecolbertreport.cc.com/videos/k0hjb1/harold-ford-jr-", "http://thecolbertreport.cc.com/videos/biwfer/sign-off---u-s-a-" ], "guest": "Nicole Detling Miller, Jessica Smith, Harold Ford Jr." }, { "date": "2010-02-02", "videos": [ "http://thecolbertreport.cc.com/videos/u6k7x8/intro---02-02-10", "http://thecolbertreport.cc.com/videos/idx9j1/the-word---cognoscor-ergo-sum", "http://thecolbertreport.cc.com/videos/2ffk5q/bananafish-tale---henry-allen", "http://thecolbertreport.cc.com/videos/0xtws0/eliot-spitzer", "http://thecolbertreport.cc.com/videos/wfnsyt/sign-off---kentucky-fried-regret" ], "guest": "Eliot Spitzer" }, { "date": "2010-02-03", "videos": [ "http://thecolbertreport.cc.com/videos/pmvmz3/intro---02-03-10", "http://thecolbertreport.cc.com/videos/4nj8ql/be-almost-all-that-you-can-be", "http://thecolbertreport.cc.com/videos/5iocp5/job-man-caravan", "http://thecolbertreport.cc.com/videos/sysu7h/job-man-caravan---peter-cove", "http://thecolbertreport.cc.com/videos/t6rlnb/john-durant", "http://thecolbertreport.cc.com/videos/s0494z/sign-off---office-pool" ], "guest": "Peter Cove, John Durant" }, { "date": "2010-02-04", "videos": [ "http://thecolbertreport.cc.com/videos/zn4dgm/intro---02-04-10", "http://thecolbertreport.cc.com/videos/qkvdcs/hermaphrodites-can-t-be-gay", "http://thecolbertreport.cc.com/videos/qqtebr/tip-wag---waterboarding---canada-s-history", "http://thecolbertreport.cc.com/videos/6a6j6j/formidable-opponent---khalid-sheikh-mohammed-s-trial", "http://thecolbertreport.cc.com/videos/sm98y8/henry-louis-gates--jr-", "http://thecolbertreport.cc.com/videos/bsgq92/own-a-piece-of-histor-me---fireplace-portrait" ], "guest": "Henry Louis Gates" }, { "date": "2010-02-08", "videos": [ "http://thecolbertreport.cc.com/videos/ek3awf/exclusive---skate-expectations---bobsled-team-tryouts-pt--1", "http://thecolbertreport.cc.com/videos/52kgrq/office-super-bowl-ad-pool", "http://thecolbertreport.cc.com/videos/2idiz7/the-word---faux--n--tell", "http://thecolbertreport.cc.com/videos/mtoffp/sarah-palin-uses-a-hand-o-prompter", "http://thecolbertreport.cc.com/videos/xdafq2/jonathan-safran-foer", "http://thecolbertreport.cc.com/videos/r5okcx/sign-off---goodnight" ], "guest": "Jonathan Safran Foer" }, { "date": "2010-02-09", "videos": [ "http://thecolbertreport.cc.com/videos/msydxm/exclusive---skate-expectations---bobsled-team-tryouts-pt--2", "http://thecolbertreport.cc.com/videos/s5t5z4/celebrate-black-history-month-with-heineken", "http://thecolbertreport.cc.com/videos/nwoc1b/corporate-free-speech---chris-dodd", "http://thecolbertreport.cc.com/videos/884juj/alpha-dog-of-the-week---markus-bestin", "http://thecolbertreport.cc.com/videos/uao9dj/george-stephanopoulos", "http://thecolbertreport.cc.com/videos/zcybb6/sign-off---it-s-lonely-at-the-top" ], "guest": "George Stephanopoulos" }, { "date": "2010-02-10", "videos": [ "http://thecolbertreport.cc.com/videos/ka4dxt/exclusive---skate-expectations---bobsled-team-tryouts-pt--3", "http://thecolbertreport.cc.com/videos/l0cv8x/intro---02-10-10", "http://thecolbertreport.cc.com/videos/br6hwk/we-re-off-to-see-the-blizzard", "http://thecolbertreport.cc.com/videos/cu5mso/better-know-a-district---illinois--5th", "http://thecolbertreport.cc.com/videos/3752v8/better-know-a-district---illinois--5th---mike-quigley", "http://thecolbertreport.cc.com/videos/34z9mm/claire-danes", "http://thecolbertreport.cc.com/videos/f2whru/sign-off---goodnight" ], "guest": "Claire Danes" }, { "date": "2010-02-11", "videos": [ "http://thecolbertreport.cc.com/videos/eyfb9f/exclusive---skate-expectations---curling-team-tryouts-pt--1", "http://thecolbertreport.cc.com/videos/65cpdn/iran-begins-enriching-uranian", "http://thecolbertreport.cc.com/videos/n5w4fs/the-word---political-suicide", "http://thecolbertreport.cc.com/videos/li6roe/sport-report---global-snow-drive---al-michaels", "http://thecolbertreport.cc.com/videos/s9qfmt/david-ross", "http://thecolbertreport.cc.com/videos/qbth0f/sign-off---see-you-in-vancouver" ], "guest": "Al Michaels, David Ross" }, { "date": "2010-02-22", "videos": [ "http://thecolbertreport.cc.com/videos/jvyagn/exclusive---skate-expectations---speedskating-team-training-pt--1", "http://thecolbertreport.cc.com/videos/rbcb67/intro---02-22-10", "http://thecolbertreport.cc.com/videos/racwcb/vancouverage-2010---ed-colbert", "http://thecolbertreport.cc.com/videos/tzovg4/better-know-a-riding---vancouver-s-south", "http://thecolbertreport.cc.com/videos/5l4d9t/better-know-a-riding---vancouver-s-south---ujjal-dosanjh", "http://thecolbertreport.cc.com/videos/gg3l88/shaun-white", "http://thecolbertreport.cc.com/videos/iohppn/sign-off---you-are-not-americans" ], "guest": "Shaun White" }, { "date": "2010-02-23", "videos": [ "http://thecolbertreport.cc.com/videos/iar6l3/exclusive---skate-expectations---speedskating-team-training-pt--2", "http://thecolbertreport.cc.com/videos/us6yyq/america-s-olympic-wins---lindsey-vonn", "http://thecolbertreport.cc.com/videos/1ftd3s/olympic-international-houses", "http://thecolbertreport.cc.com/videos/yd5amw/bob-costas", "http://thecolbertreport.cc.com/videos/4vx1ll/sign-off---bob-costas-rides-the-moose" ], "guest": "Lindsey Vonn, Bob Costas" }, { "date": "2010-02-24", "videos": [ "http://thecolbertreport.cc.com/videos/j11loy/exclusive---better-know-a-riding---vancouver-s-south---ujjal-dosanjh-pt--1", "http://thecolbertreport.cc.com/videos/eom1sq/exclusive---better-know-a-riding---vancouver-s-south---ujjal-dosanjh-pt--2", "http://thecolbertreport.cc.com/videos/8olwnj/exclusive---better-know-a-riding---vancouver-s-south---ujjal-dosanjh-pt--3", "http://thecolbertreport.cc.com/videos/l0ax8q/exclusive---skate-expectations---speedskating-team-training-pt--3", "http://thecolbertreport.cc.com/videos/php8ta/cold-war-update---olympic-edition", "http://thecolbertreport.cc.com/videos/mrk7jd/freud-rage---the-iceman-counseleth", "http://thecolbertreport.cc.com/videos/7u3h32/ryan-st--onge---jeret-peterson", "http://thecolbertreport.cc.com/videos/ampazf/sign-off---as-they-say-in-canada" ], "guest": "Scott Hamilton, Jeret Peterson, Ryan St. Onge" }, { "date": "2010-02-25", "videos": [ "http://thecolbertreport.cc.com/videos/i93x4n/exclusive---skate-expectations---speedskating-team-training-pt--4", "http://thecolbertreport.cc.com/videos/e7hgxz/intro---02-25-10", "http://thecolbertreport.cc.com/videos/jy3odd/stephen-distracts-bob-costas", "http://thecolbertreport.cc.com/videos/zoz0j2/freud-rage---the-iceman-counseleth---shani-davis", "http://thecolbertreport.cc.com/videos/iactcg/off-notice---canadian-iceholes", "http://thecolbertreport.cc.com/videos/j2htnd/seth-wescott", "http://thecolbertreport.cc.com/videos/2pub5y/sign-off---thank-you--everyone" ], "guest": "Shani Davis, Seth Wescott" }, { "date": "2010-03-01", "videos": [ "http://thecolbertreport.cc.com/videos/r61kzy/intro---stephen-wins-the-olympics", "http://thecolbertreport.cc.com/videos/z9bfu8/president-obama-mentions-stephen", "http://thecolbertreport.cc.com/videos/4nmlgo/health-care-marriage-counseling", "http://thecolbertreport.cc.com/videos/6qwf52/olympics-wrap-up---michael-buble", "http://thecolbertreport.cc.com/videos/ncbadn/don-cheadle", "http://thecolbertreport.cc.com/videos/zbx22j/sign-off---goodnight" ], "guest": "Don Cheadle" }, { "date": "2010-03-02", "videos": [ "http://thecolbertreport.cc.com/videos/mevtpj/intro---03-02-10", "http://thecolbertreport.cc.com/videos/wa48j7/president-obama-s-first-physical", "http://thecolbertreport.cc.com/videos/u1ymnx/the-word---kid-owe", "http://thecolbertreport.cc.com/videos/odsatp/colbert-platinum---necker-nymph---lexus-lfa", "http://thecolbertreport.cc.com/videos/cc44qu/david-brooks", "http://thecolbertreport.cc.com/videos/ci6g0d/sign-off---goose-that-lays-the-golden-egg" ], "guest": "David Brooks" }, { "date": "2010-03-03", "videos": [ "http://thecolbertreport.cc.com/videos/srp7ci/jim-bunning-ends-filibuster", "http://thecolbertreport.cc.com/videos/37u7lc/greece-s-economic-downfall---scheherazade-rehman", "http://thecolbertreport.cc.com/videos/elhxu1/tip-wag---american-academy-of-pediatrics---starbucks", "http://thecolbertreport.cc.com/videos/m631tw/garry-wills", "http://thecolbertreport.cc.com/videos/d3nhmb/sign-off---goodnight" ], "guest": "Scheherazade Rehman, Garry Wills" }, { "date": "2010-03-04", "videos": [ "http://thecolbertreport.cc.com/videos/lfv3jf/health-care-magic", "http://thecolbertreport.cc.com/videos/cgobmb/iraqracy", "http://thecolbertreport.cc.com/videos/qdumax/tip-wag---james-o-keefe---sean-hannity", "http://thecolbertreport.cc.com/videos/vy9si5/barry-schwartz", "http://thecolbertreport.cc.com/videos/r3uuup/sign-off---see-you-later--alligator" ], "guest": "Barry Schwartz" }, { "date": "2010-03-08", "videos": [ "http://thecolbertreport.cc.com/videos/1919hp/exclusive---olympic-international-houses-pt--2", "http://thecolbertreport.cc.com/videos/zqfavl/action-center---health-care-bill---ezra-klein", "http://thecolbertreport.cc.com/videos/1nrjt6/tom-hanks-pt--1", "http://thecolbertreport.cc.com/videos/49pae4/tom-hanks-pt--2", "http://thecolbertreport.cc.com/videos/60qghm/sign-off---one-thought", "http://thecolbertreport.cc.com/videos/xdowah/exclusive---olympic-international-houses-pt--1" ], "guest": "Tom Hanks" }, { "date": "2010-03-09", "videos": [ "http://thecolbertreport.cc.com/videos/6zrwd6/consumer-alert---pringles", "http://thecolbertreport.cc.com/videos/rokdab/the-word---define---conquer", "http://thecolbertreport.cc.com/videos/b670fj/tip-wag---joe-lieberman--the-pope---sharks", "http://thecolbertreport.cc.com/videos/evq830/annie-leonard", "http://thecolbertreport.cc.com/videos/887xl8/sign-off---goodnight" ], "guest": "Annie Leonard" }, { "date": "2010-03-10", "videos": [ "http://thecolbertreport.cc.com/videos/rj79bv/intro---03-10-10", "http://thecolbertreport.cc.com/videos/ij37tl/non-sexual-groping", "http://thecolbertreport.cc.com/videos/94dkr8/health-care-vote-information-nerve-center---charlie-cook", "http://thecolbertreport.cc.com/videos/9m4kr7/survival-seed-bank", "http://thecolbertreport.cc.com/videos/ski7ov/sean-carroll", "http://thecolbertreport.cc.com/videos/4k81na/sign-off---the-colbert-repoll" ], "guest": "Sean Carroll" }, { "date": "2010-03-11", "videos": [ "http://thecolbertreport.cc.com/videos/nce2ba/karl-rove-s-new-book", "http://thecolbertreport.cc.com/videos/8tmwv8/the-colbert-repoll---scott-rasmussen", "http://thecolbertreport.cc.com/videos/8r95fc/monkey-on-the-lam---florida", "http://thecolbertreport.cc.com/videos/c8f0b1/david-aaronovitch", "http://thecolbertreport.cc.com/videos/96nihd/sign-off---thanks--karl-rove" ], "guest": "David Aaronovitch" }, { "date": "2010-03-15", "videos": [ "http://thecolbertreport.cc.com/videos/mz0yt2/intro---03-15-10", "http://thecolbertreport.cc.com/videos/hut7vd/daylight-savings-time", "http://thecolbertreport.cc.com/videos/cfbe28/the-word---afghanistan", "http://thecolbertreport.cc.com/videos/402t35/i-can-t-believe-it-s-not-buddha---raj-patel", "http://thecolbertreport.cc.com/videos/rf3mus/robert-baer", "http://thecolbertreport.cc.com/videos/mdf427/sign-off---goodnight-with-balloon" ], "guest": "Robert Baer" }, { "date": "2010-03-16", "videos": [ "http://thecolbertreport.cc.com/videos/fmjopd/intro---03-16-10", "http://thecolbertreport.cc.com/videos/jz5m0e/barack-joe-bama", "http://thecolbertreport.cc.com/videos/wuyjzf/i-s-on-edjukashun---texas-school-board", "http://thecolbertreport.cc.com/videos/wl96gx/thought-for-food---donna-simpson--le-whif---cat-litter", "http://thecolbertreport.cc.com/videos/4h8104/rebecca-skloot", "http://thecolbertreport.cc.com/videos/r6jed2/sign-off---remember-to-wear-green" ], "guest": "Rebecca Skloot" }, { "date": "2010-03-17", "videos": [ "http://thecolbertreport.cc.com/videos/86ybsq/ireland-s-shamrock-shortage", "http://thecolbertreport.cc.com/videos/wpflq2/sport-report---vasectomies--chess-boxing---golf", "http://thecolbertreport.cc.com/videos/m84hav/united-states-census-2010", "http://thecolbertreport.cc.com/videos/wqbtkw/nell-irvin-painter", "http://thecolbertreport.cc.com/videos/vvqhqa/sign-off---goodnight" ], "guest": "Nell Irvin Painter" }, { "date": "2010-03-18", "videos": [ "http://thecolbertreport.cc.com/videos/9cthmz/middle-eastern-dogs", "http://thecolbertreport.cc.com/videos/oymi80/glenn-beck-attacks-social-justice---james-martin", "http://thecolbertreport.cc.com/videos/70uuap/cheating-death---clenched-fingers---pill-reminder", "http://thecolbertreport.cc.com/videos/42czdy/mary-matalin", "http://thecolbertreport.cc.com/videos/xqfew6/sign-off---goodnight" ], "guest": "Mary Matalin" }, { "date": "2010-03-29", "videos": [ "http://thecolbertreport.cc.com/videos/uolmzb/passover-dinner-with-elijah", "http://thecolbertreport.cc.com/videos/ua8bnx/geriatric-breeding-program", "http://thecolbertreport.cc.com/videos/ixrazk/the-word---napoleon-blown-apart", "http://thecolbertreport.cc.com/videos/m8ik8j/passover-commercialism", "http://thecolbertreport.cc.com/videos/yksbdg/claire-mccaskill", "http://thecolbertreport.cc.com/videos/s0mkwg/sign-off---friedrich-schiller" ], "guest": "Sen. Claire McCaskill" }, { "date": "2010-03-30", "videos": [ "http://thecolbertreport.cc.com/videos/13gooh/intro---03-30-10", "http://thecolbertreport.cc.com/videos/fbk80n/ricky-martin-is-gay", "http://thecolbertreport.cc.com/videos/fvq7gv/the-word---forgive-and-forget", "http://thecolbertreport.cc.com/videos/dx0lyr/thought-for-food---corn-diapers--fatty-foods---jamie-oliver", "http://thecolbertreport.cc.com/videos/51a308/simon-johnson", "http://thecolbertreport.cc.com/videos/c9ef0m/sign-off---pringles---whipped-cream" ], "guest": "Simon Johnson" }, { "date": "2010-03-31", "videos": [ "http://thecolbertreport.cc.com/videos/xyd8rc/intro---03-31-10", "http://thecolbertreport.cc.com/videos/phkk0m/who-s-not-honoring-me-now----peabody-awards", "http://thecolbertreport.cc.com/videos/mnvsrm/tip-wag---hutaree-militia---abc", "http://thecolbertreport.cc.com/videos/p9l3um/easter-under-attack---peeps-display-update", "http://thecolbertreport.cc.com/videos/wj35p0/craig-mullaney", "http://thecolbertreport.cc.com/videos/bnjl9e/sign-off---finger-pointing-award" ], "guest": "Craig Mullaney" }, { "date": "2010-04-01", "videos": [ "http://thecolbertreport.cc.com/videos/cej48a/intro---04-01-10", "http://thecolbertreport.cc.com/videos/iymjih/stephen-gets-a-free-ipad", "http://thecolbertreport.cc.com/videos/2nbqob/elephant-graveyard---david-frum", "http://thecolbertreport.cc.com/videos/d9x5mh/jell-o-tampering", "http://thecolbertreport.cc.com/videos/3z9wwh/judith-shulevitz", "http://thecolbertreport.cc.com/videos/vjehbr/sign-off---goodnight-with-an-ipad" ], "guest": "David Frum, Judith Shulevitz" }, { "date": "2010-04-05", "videos": [ "http://thecolbertreport.cc.com/videos/5ehjj8/intro---04-05-10", "http://thecolbertreport.cc.com/videos/9ef1ri/stephen-converts-to-3d", "http://thecolbertreport.cc.com/videos/xo27p1/the-word---bait-and-snitch", "http://thecolbertreport.cc.com/videos/rp7kua/threatdown---fox--the-obamas---time-traveling-brandy-thieves", "http://thecolbertreport.cc.com/videos/672vju/dean-kamen", "http://thecolbertreport.cc.com/videos/zv5abl/sign-off---goodnight-in-3d" ], "guest": "Dean Kamen" }, { "date": "2010-04-06", "videos": [ "http://thecolbertreport.cc.com/videos/l4nkoq/science-catfight---joe-bastardi-vs--brenda-ekwurzel", "http://thecolbertreport.cc.com/videos/506dri/scrabble-allows-proper-names", "http://thecolbertreport.cc.com/videos/hovkbz/al-sharpton", "http://thecolbertreport.cc.com/videos/z3ifg9/sign-off---goodnight" ], "guest": "Joe Bastardi, Brenda Ekwurzel, Rev. Al Sharpton" }, { "date": "2010-04-07", "videos": [ "http://thecolbertreport.cc.com/videos/b1trvk/tiki-barber-cheats-on-his-wife", "http://thecolbertreport.cc.com/videos/ov8dk6/tip-wag---hello-kitty-wine---pig-s-blood-filters", "http://thecolbertreport.cc.com/videos/ds7vyt/nailed--em---fentimans-victorian-lemonade", "http://thecolbertreport.cc.com/videos/23bsc5/david-simon", "http://thecolbertreport.cc.com/videos/c3sk5b/sign-off---hello-kitty-wine---cigarettes" ], "guest": "David Simon" }, { "date": "2010-04-08", "videos": [ "http://thecolbertreport.cc.com/videos/x3hnt4/intro---04-08-10", "http://thecolbertreport.cc.com/videos/p89oku/tiger-s-nike-commercial", "http://thecolbertreport.cc.com/videos/06i9x0/the-word---affirmative-inaction", "http://thecolbertreport.cc.com/videos/as4xr9/the-final-final-frontier", "http://thecolbertreport.cc.com/videos/kkc8ee/neil-degrasse-tyson", "http://thecolbertreport.cc.com/videos/54hsqy/sign-off---no-man-is-a-failure" ], "guest": "Neil DeGrasse Tyson" }, { "date": "2010-04-12", "videos": [ "http://thecolbertreport.cc.com/videos/5mdm7i/exclusive---julian-assange-extended-interview", "http://thecolbertreport.cc.com/videos/vxvlp9/unpaid-internship-crackdown", "http://thecolbertreport.cc.com/videos/ag970g/justice-stevens-replacement---jeffrey-toobin", "http://thecolbertreport.cc.com/videos/3a0o7p/wikileaks-military-video", "http://thecolbertreport.cc.com/videos/q1yz2t/julian-assange", "http://thecolbertreport.cc.com/videos/abcefn/sign-off---goodnight" ], "guest": "Jeffrey Toobin, Julian Assange" }, { "date": "2010-04-13", "videos": [ "http://thecolbertreport.cc.com/videos/z1lfjo/dow-hits-11-000", "http://thecolbertreport.cc.com/videos/fzwwcp/the-word---the-lost-cause", "http://thecolbertreport.cc.com/videos/l0qwni/thought-for-food---mentally-ill-advertisers---german-cupcakes", "http://thecolbertreport.cc.com/videos/aab36z/jon-mooallem", "http://thecolbertreport.cc.com/videos/qrdpob/sign-off---cupcake-chicken-sandwich" ], "guest": "Jon Mooallem" }, { "date": "2010-04-14", "videos": [ "http://thecolbertreport.cc.com/videos/i50gi7/president-obama-bows-again", "http://thecolbertreport.cc.com/videos/xhpjb5/sunday-morning-fact-checking---jake-tapper---bill-adair", "http://thecolbertreport.cc.com/videos/f941v8/ryanair-charges-for-toilets", "http://thecolbertreport.cc.com/videos/ohefue/david-shields", "http://thecolbertreport.cc.com/videos/igm53s/sign-off---china-s-central-finance-ministry" ], "guest": "David Shields" }, { "date": "2010-04-15", "videos": [ "http://thecolbertreport.cc.com/videos/eskkbc/intro---04-15-10", "http://thecolbertreport.cc.com/videos/1fannu/stephen-saves-the-space-program", "http://thecolbertreport.cc.com/videos/1ymc3v/tip-wag---forbes---hipsters", "http://thecolbertreport.cc.com/videos/5gztgb/formula-01-liquid-genetic-material", "http://thecolbertreport.cc.com/videos/q2q4mc/aimee-mullins", "http://thecolbertreport.cc.com/videos/t03669/sign-off---tax-deadline" ], "guest": "Aimee Mullins" }, { "date": "2010-04-19", "videos": [ "http://thecolbertreport.cc.com/videos/o36u2p/marilyn-monroe-s-x-rays", "http://thecolbertreport.cc.com/videos/55ox6j/goldman-sachs--fraud-case---andrew-ross-sorkin", "http://thecolbertreport.cc.com/videos/cyx4fw/volcano-eyjafjallajokull", "http://thecolbertreport.cc.com/videos/ca04kl/george-will", "http://thecolbertreport.cc.com/videos/8di6ao/sign-off---too-big-to-fail" ], "guest": "Andrew Ross Sorkin, George Will" }, { "date": "2010-04-20", "videos": [ "http://thecolbertreport.cc.com/videos/5kfqlg/intro---04-20-10", "http://thecolbertreport.cc.com/videos/q0xdhc/robotic-voice-simulator---foreign-accent-syndrome", "http://thecolbertreport.cc.com/videos/f5imzl/p-k--winsome---tea-party-consulting", "http://thecolbertreport.cc.com/videos/2o8c1s/stephen-refuses-to-celebrate-4-20", "http://thecolbertreport.cc.com/videos/n3iff5/jeffrey-katzenberg", "http://thecolbertreport.cc.com/videos/kuy0dk/sign-off---as-they-say-in-japan" ], "guest": "Jeffrey Katzenberg" }, { "date": "2010-04-21", "videos": [ "http://thecolbertreport.cc.com/videos/6z2omj/the-new--100-bill", "http://thecolbertreport.cc.com/videos/2nsr1s/the-word---no-problemo", "http://thecolbertreport.cc.com/videos/mqfg58/nailed--em---drive-through-rapping", "http://thecolbertreport.cc.com/videos/0teg38/craig-robinson", "http://thecolbertreport.cc.com/videos/2tayao/sign-off---donate-to-john-legend-s-charity" ], "guest": "Craig Robinson" }, { "date": "2010-04-22", "videos": [ "http://thecolbertreport.cc.com/videos/62j0m5/newspapers-celebrate-earth-day", "http://thecolbertreport.cc.com/videos/tqucn8/the-word---straight-to-video", "http://thecolbertreport.cc.com/videos/g660yb/bonus-word---defamation-of-independents", "http://thecolbertreport.cc.com/videos/0le7r3/gorillaz", "http://thecolbertreport.cc.com/videos/s79r6n/sign-off---this-is-a-fun-job" ], "guest": "Gorillaz" }, { "date": "2010-04-26", "videos": [ "http://thecolbertreport.cc.com/videos/i6lszt/intro---04-26-10", "http://thecolbertreport.cc.com/videos/exfe65/boobquake-day-causes-earthquake", "http://thecolbertreport.cc.com/videos/ddudkb/the-word---docu-drama", "http://thecolbertreport.cc.com/videos/4qgs1h/indecision-2010---midterm-elections---sue-lowden", "http://thecolbertreport.cc.com/videos/j7hi89/sharon-jones" ], "guest": "Sharon Jones and the Dap-Kings" }, { "date": "2010-04-27", "videos": [ "http://thecolbertreport.cc.com/videos/5m4fi7/intro---04-27-10", "http://thecolbertreport.cc.com/videos/7b23mk/the-real-lloyd-blankfein", "http://thecolbertreport.cc.com/videos/ais5bh/stephen-hawking-is-such-an-a-hole---encountering-aliens", "http://thecolbertreport.cc.com/videos/rjye16/conn-iggulden", "http://thecolbertreport.cc.com/videos/68bzkf/sign-off---six-flags-discount-tickets" ], "guest": "Conn Iggulden" }, { "date": "2010-04-28", "videos": [ "http://thecolbertreport.cc.com/videos/g493lv/intro---04-28-10", "http://thecolbertreport.cc.com/videos/uzkxfc/gulf-of-mexico-oil-spill", "http://thecolbertreport.cc.com/videos/tzdwrb/cheating-death---tobacco-mints--breast-milk---hallucinogens", "http://thecolbertreport.cc.com/videos/ke79c8/difference-makers---robert-ekas", "http://thecolbertreport.cc.com/videos/pj9ppq/gregg-easterbrook", "http://thecolbertreport.cc.com/videos/1tu0hz/sign-off---chief-wandering-meadow-s-headdress" ], "guest": "Gregg Easterbrook" }, { "date": "2010-04-29", "videos": [ "http://thecolbertreport.cc.com/videos/qu7aln/intro---rube-goldberg-machine", "http://thecolbertreport.cc.com/videos/dima6g/wind-farm---oil-spill", "http://thecolbertreport.cc.com/videos/u1djps/california-s-proposition-14---abel-maldonado", "http://thecolbertreport.cc.com/videos/yqd68y/tip-wag---scientists---kfc", "http://thecolbertreport.cc.com/videos/byd88g/ok-go" ], "guest": "Abel Maldonado, OK Go" }, { "date": "2010-05-03", "videos": [ "http://thecolbertreport.cc.com/videos/caaib9/times-square-terrorism", "http://thecolbertreport.cc.com/videos/i2zwg4/fda-salt-regulation---lori-roman---michael-jacobson", "http://thecolbertreport.cc.com/videos/bfve2i/bp-s-undersea-dome", "http://thecolbertreport.cc.com/videos/6yc052/elizabeth-warren", "http://thecolbertreport.cc.com/videos/jj9r4k/sign-off---lady-liberty-souvenirs" ], "guest": "Elizabeth Warren" }, { "date": "2010-05-04", "videos": [ "http://thecolbertreport.cc.com/videos/dula0l/intro---05-04-10", "http://thecolbertreport.cc.com/videos/zfi7tc/boom--doesn-t-go-the-dynamite", "http://thecolbertreport.cc.com/videos/dvwpph/the-word---flight-risk", "http://thecolbertreport.cc.com/videos/xyjhb7/stephen-hawking-is-such-an-a-hole---time-travel", "http://thecolbertreport.cc.com/videos/j2pf36/mark-moffett", "http://thecolbertreport.cc.com/videos/d97fmn/sign-off---michael-j--fox-gets-locked-in" ], "guest": "Michael J. Fox, Mark W. Moffett" }, { "date": "2010-05-05", "videos": [ "http://thecolbertreport.cc.com/videos/nlh1ly/intro---05-05-10", "http://thecolbertreport.cc.com/videos/2nfnz7/nashville-flood-wakeboarder", "http://thecolbertreport.cc.com/videos/bw8v97/the-enemy-within---backyard-clothesline", "http://thecolbertreport.cc.com/videos/2p2tqn/alpha-dog-of-the-week---george-rekers", "http://thecolbertreport.cc.com/videos/pnjs6i/dave-isay", "http://thecolbertreport.cc.com/videos/xufsxi/sign-off---dancing-with-julian" ], "guest": "David Isay" }, { "date": "2010-05-06", "videos": [ "http://thecolbertreport.cc.com/videos/pvx1hb/white-people-prayer-gap", "http://thecolbertreport.cc.com/videos/97ikxz/british-election-couverage---andrew-sullivan", "http://thecolbertreport.cc.com/videos/8a0q0r/movies-that-are-destroying-america---2010-summer-movie-edition", "http://thecolbertreport.cc.com/videos/xo7hie/stewart-brand", "http://thecolbertreport.cc.com/videos/0txjlv/sign-off---the-usa-today" ], "guest": "Stewart Brand" }, { "date": "2010-05-10", "videos": [ "http://thecolbertreport.cc.com/videos/8bpcly/intro---05-10-10", "http://thecolbertreport.cc.com/videos/0m67h9/house-returns-the-favor", "http://thecolbertreport.cc.com/videos/pxkemd/greece-wither-soon---scheherazade-rehman", "http://thecolbertreport.cc.com/videos/oejc0z/oil-containment-solution-randomizer", "http://thecolbertreport.cc.com/videos/6ikft9/gary-johnson", "http://thecolbertreport.cc.com/videos/xeq5yb/sign-off---goodnight" ], "guest": "Gov. Gary Johnson" }, { "date": "2010-05-11", "videos": [ "http://thecolbertreport.cc.com/videos/n8gkaf/intro---05-11-10", "http://thecolbertreport.cc.com/videos/pcdm2a/consumer-alert---best-friends-charm-bracelets", "http://thecolbertreport.cc.com/videos/1227nt/kagan-worship---dahlia-lithwick", "http://thecolbertreport.cc.com/videos/rp68kf/australian-sperm-shortage", "http://thecolbertreport.cc.com/videos/d04me7/hampton-sides", "http://thecolbertreport.cc.com/videos/qv4b2o/sign-off---wriststrong-arm" ], "guest": "Hampton Sides" }, { "date": "2010-05-12", "videos": [ "http://thecolbertreport.cc.com/videos/nyl5ye/intro---05-12-10", "http://thecolbertreport.cc.com/videos/rxu3ed/controlled-burn-of-a-natural-gas", "http://thecolbertreport.cc.com/videos/zf5e7d/threatdown---military-food-police--jazz-robots---pretty-girls", "http://thecolbertreport.cc.com/videos/0mg8t8/stephen-s-sound-advice---how-to-ace-the-sats", "http://thecolbertreport.cc.com/videos/jynvz7/deepak-chopra", "http://thecolbertreport.cc.com/videos/0mpxm3/sign-off---fire-extinguisher-shooting" ], "guest": "Deepak Chopra" }, { "date": "2010-05-13", "videos": [ "http://thecolbertreport.cc.com/videos/uic1xz/intro---05-13-10", "http://thecolbertreport.cc.com/videos/mp7sng/confirming-elena", "http://thecolbertreport.cc.com/videos/o1qad4/the-hold-steady", "http://thecolbertreport.cc.com/videos/ugcamu/sign-off---time-traveling-brandy-thief" ], "guest": "The Hold Steady" }, { "date": "2010-06-01", "videos": [ "http://thecolbertreport.cc.com/videos/1heoo5/intro---6-1-10", "http://thecolbertreport.cc.com/videos/395e6g/vodka-eyeballing", "http://thecolbertreport.cc.com/videos/6f9c47/up-brit-creek", "http://thecolbertreport.cc.com/videos/p943d0/failure-to-launch---atlantis-crew", "http://thecolbertreport.cc.com/videos/ngl48j/ayaan-hirsi-ali", "http://thecolbertreport.cc.com/videos/jygylj/sign-off---water-eyeballing" ], "guest": "Ayaan Hirsi Ali" }, { "date": "2010-06-02", "videos": [ "http://thecolbertreport.cc.com/videos/6707v3/intro---6-2-10", "http://thecolbertreport.cc.com/videos/gqwbeo/japan-s-special-election---kazuo-myazaki", "http://thecolbertreport.cc.com/videos/qrxaw1/tip-wag---foxconn--charles-taylor---naomi-campbell", "http://thecolbertreport.cc.com/videos/4dk71f/craziest-f--ing-thing-i-ve-ever-heard---gored-bullfighter", "http://thecolbertreport.cc.com/videos/dvcqzb/lisa-miller", "http://thecolbertreport.cc.com/videos/a4ztpz/sign-off---parting-gifts-for-kazuo-myazaki" ], "guest": "Lisa Miller" }, { "date": "2010-06-03", "videos": [ "http://thecolbertreport.cc.com/videos/d81bvl/intro---6-3-10", "http://thecolbertreport.cc.com/videos/iy7vo7/crude---unusual", "http://thecolbertreport.cc.com/videos/44gj25/who-s-watching-the-watchdog----liam-mccormack", "http://thecolbertreport.cc.com/videos/p34tly/who-s-riding-my-coattails-now----ipad-suit-pocket", "http://thecolbertreport.cc.com/videos/fo5d9i/vampire-weekend" ], "guest": "Vampire Weekend" }, { "date": "2010-06-07", "videos": [ "http://thecolbertreport.cc.com/videos/r4arov/intro---6-7-10", "http://thecolbertreport.cc.com/videos/y0xgng/charity-begins-at-11-30", "http://thecolbertreport.cc.com/videos/lc7nxu/oil-s-well-that-never-ends", "http://thecolbertreport.cc.com/videos/c2l6b4/oil-spill-rage---james-carville", "http://thecolbertreport.cc.com/videos/30w6f5/jonathan-alter", "http://thecolbertreport.cc.com/videos/ow5rnp/sign-off---gulf-of-america-fund" ], "guest": "James Carville, Jonathan Alter" }, { "date": "2010-06-08", "videos": [ "http://thecolbertreport.cc.com/videos/uj5obr/obama-s-whoomp--there-it-is-controversy", "http://thecolbertreport.cc.com/videos/yj9oop/the-word---p-r--mageddon", "http://thecolbertreport.cc.com/videos/n3e887/mark-frauenfelder", "http://thecolbertreport.cc.com/videos/r1zjxy/sign-off---the-most-useless-machine" ], "guest": "Mark Frauenfelder" }, { "date": "2010-06-09", "videos": [ "http://thecolbertreport.cc.com/videos/ou7te0/helen-thomas-s-reputation", "http://thecolbertreport.cc.com/videos/0eesk5/formidable-opponent---michael-oren", "http://thecolbertreport.cc.com/videos/41cjs4/shout-out---7th-eaccs", "http://thecolbertreport.cc.com/videos/12z179/sam-nunn", "http://thecolbertreport.cc.com/videos/hv8uj4/sign-off---50-hamburgers" ], "guest": "Amb. Michael Oren, Sen. Sam Nunn" }, { "date": "2010-06-10", "videos": [ "http://thecolbertreport.cc.com/videos/6iz8ha/bp-stock-sinks", "http://thecolbertreport.cc.com/videos/e46kh9/sport-report---soccer-debate---marc-fisher---mark-starr", "http://thecolbertreport.cc.com/videos/9rht3y/simulated-mars-mission", "http://thecolbertreport.cc.com/videos/19ikyl/alan-bean", "http://thecolbertreport.cc.com/videos/gewg17/sign-off---chocolate-syrup" ], "guest": "Alan Bean" }, { "date": "2010-06-14", "videos": [ "http://thecolbertreport.cc.com/videos/7xsbh3/intro---6-14-10", "http://thecolbertreport.cc.com/videos/vlk9h9/america-s-strained-relationship-with-england", "http://thecolbertreport.cc.com/videos/xhnftx/smokin--pole---the-quest-for-arctic-riches--canada---china", "http://thecolbertreport.cc.com/videos/b6bfik/who-s-not-honoring-me-now----tonys---mtv-movie-awards", "http://thecolbertreport.cc.com/videos/bd9ero/stephen-prothero", "http://thecolbertreport.cc.com/videos/t2lbqh/sign-off---the-new-oxford-american-dictionary" ], "guest": "Stephen Prothero" }, { "date": "2010-06-15", "videos": [ "http://thecolbertreport.cc.com/videos/ue0g9m/intro---6-15-10", "http://thecolbertreport.cc.com/videos/w6pwpk/testoster-ruin---hanna-rosin", "http://thecolbertreport.cc.com/videos/o42e2u/tip-wag---marshall-islands---disney-world-fate", "http://thecolbertreport.cc.com/videos/zkoqn2/carl-safina", "http://thecolbertreport.cc.com/videos/vr28jt/sign-off---hot-boxers" ], "guest": "Dr. Carl Safina" }, { "date": "2010-06-16", "videos": [ "http://thecolbertreport.cc.com/videos/vtw6mw/intro---6-16-10", "http://thecolbertreport.cc.com/videos/atwjd4/obama-s-bp-oil-spill-speech", "http://thecolbertreport.cc.com/videos/fq1qpx/the-word----tay-the-cour-e", "http://thecolbertreport.cc.com/videos/0occfp/brevity-is-the-soul-of-twit", "http://thecolbertreport.cc.com/videos/ak28k2/devo" ], "guest": "Devo" }, { "date": "2010-06-17", "videos": [ "http://thecolbertreport.cc.com/videos/zp0vlt/exclusive---who-s-watching-the-watchdog-pt--1", "http://thecolbertreport.cc.com/videos/mgk9uw/exclusive---who-s-watching-the-watchdog-pt--2", "http://thecolbertreport.cc.com/videos/lmlfss/obama-s-simplified-bp-oil-spill-speech", "http://thecolbertreport.cc.com/videos/r0x7kl/south-carolina-s-4th-district-primary---bob-inglis", "http://thecolbertreport.cc.com/videos/pw3z5k/colbert-platinum---summer-travel-edition", "http://thecolbertreport.cc.com/videos/psfs9q/david-mamet", "http://thecolbertreport.cc.com/videos/t0bf7h/sign-off---retweet-for-the-gulf-of-america-fund" ], "guest": "David Mamet" }, { "date": "2010-06-21", "videos": [ "http://thecolbertreport.cc.com/videos/3xh3zp/us-ties-with-slovenia", "http://thecolbertreport.cc.com/videos/tsbncg/fallback-position---astronaut-pt--1", "http://thecolbertreport.cc.com/videos/lw3o9e/joe-barton-s-misconstrued-misconstruction", "http://thecolbertreport.cc.com/videos/6rxgjl/wes-moore", "http://thecolbertreport.cc.com/videos/xr56ob/sign-off---spare-cursed-monkey-s-paw" ], "guest": "Wes Moore" }, { "date": "2010-06-22", "videos": [ "http://thecolbertreport.cc.com/videos/f7v2qo/who-s-riding-my-coattails-now----ipad-suit-pocket", "http://thecolbertreport.cc.com/videos/mt3j86/stanley-mcchrystal-talks-to-rolling-stone", "http://thecolbertreport.cc.com/videos/dry79y/fallback-position---astronaut-pt--2", "http://thecolbertreport.cc.com/videos/eyzb5g/usa-board-of-ophthalmological-freedom", "http://thecolbertreport.cc.com/videos/ej23e4/gloria-steinem", "http://thecolbertreport.cc.com/videos/jewfph/sign-off---goodnight" ], "guest": "Gloria Steinem" }, { "date": "2010-06-23", "videos": [ "http://thecolbertreport.cc.com/videos/h4yffi/intro---6-23-10", "http://thecolbertreport.cc.com/videos/wcoc11/us-defeats-algeria", "http://thecolbertreport.cc.com/videos/licobk/yahweh-or-no-way---the-blues-brothers---glenn-beck", "http://thecolbertreport.cc.com/videos/3dk57p/prophet-glenn-beck---father-guido-sarducci", "http://thecolbertreport.cc.com/videos/quds8l/tim-westergren", "http://thecolbertreport.cc.com/videos/p3f9t8/sign-off---tomorrow-s-fallback-position" ], "guest": "Tim Westergren" }, { "date": "2010-06-24", "videos": [ "http://thecolbertreport.cc.com/videos/k3vali/intro---6-24-10", "http://thecolbertreport.cc.com/videos/i8ohf4/put-the-cursed-monkey-paw-down", "http://thecolbertreport.cc.com/videos/5m2oyq/the-word---weapon-of-mass-construction", "http://thecolbertreport.cc.com/videos/6ppo8y/fallback-position---astronaut-pt--3", "http://thecolbertreport.cc.com/videos/3td47y/michael-specter", "http://thecolbertreport.cc.com/videos/86kjse/sign-off---general-s-cap" ], "guest": "Michael Specter" }, { "date": "2010-06-28", "videos": [ "http://thecolbertreport.cc.com/videos/cchudg/robert-c--byrd-dies-at-92", "http://thecolbertreport.cc.com/videos/t7kbm8/rolling-stone-article-on-mcchrystal---michael-hastings", "http://thecolbertreport.cc.com/videos/nxs1np/doomsday-bunkers", "http://thecolbertreport.cc.com/videos/kpz62f/john-waters", "http://thecolbertreport.cc.com/videos/q1un38/sign-off---goodnight" ], "guest": "Michael Hastings, John Waters" }, { "date": "2010-06-29", "videos": [ "http://thecolbertreport.cc.com/videos/8w7w4q/intro---6-29-10", "http://thecolbertreport.cc.com/videos/5i29xg/supreme-court-justice-sweetness", "http://thecolbertreport.cc.com/videos/gxmj8l/basketcase---stephie-s-knicks-hoop-de-doo-pt--1", "http://thecolbertreport.cc.com/videos/cxtlq7/lube-job", "http://thecolbertreport.cc.com/videos/t7eba8/julian-castro", "http://thecolbertreport.cc.com/videos/6s4ag9/sign-off---sweetness" ], "guest": "Mayor Julian Castro" }, { "date": "2010-06-30", "videos": [ "http://thecolbertreport.cc.com/videos/4nay3b/mysteries-of-the-ancient-unknown---king-tut-s-penis-pt--1", "http://thecolbertreport.cc.com/videos/200t0y/cold-war-update---north-korea---russian-spies", "http://thecolbertreport.cc.com/videos/85xlkw/nicholas-carr", "http://thecolbertreport.cc.com/videos/zz75v5/sign-off---goodnight" ], "guest": "Nicholas Carr" }, { "date": "2010-07-01", "videos": [ "http://thecolbertreport.cc.com/videos/qkh2oy/intro---7-1-10", "http://thecolbertreport.cc.com/videos/p1rz8m/al-qaeda-starts-inspire-magazine", "http://thecolbertreport.cc.com/videos/ytd0xh/threatdown---dawn--actual-food---texas-gop", "http://thecolbertreport.cc.com/videos/zgf08n/tangelo-american-john-boehner", "http://thecolbertreport.cc.com/videos/7p27ga/manny-howard", "http://thecolbertreport.cc.com/videos/lruog2/sign-off---obsessive-compulsive-disorder" ], "guest": "Manny Howard" }, { "date": "2010-07-05", "videos": [ "http://thecolbertreport.cc.com/videos/88l8y3/stephen-is-sick", "http://thecolbertreport.cc.com/videos/yw04k6/electronic-frontier-foundation---cindy-cohn", "http://thecolbertreport.cc.com/videos/2vgxvc/unemployment-benefits---paul-krugman", "http://thecolbertreport.cc.com/videos/tod2oy/michio-kaku", "http://thecolbertreport.cc.com/videos/59nr33/sign-off---the-hot-zone" ], "guest": "Paul Krugman, Dr. Michio Kaku" }, { "date": "2010-07-06", "videos": [ "http://thecolbertreport.cc.com/videos/jogb92/intro---7-6-10", "http://thecolbertreport.cc.com/videos/vh6d9y/latest-soap-opera-news", "http://thecolbertreport.cc.com/videos/v4t63q/the-word---the-white-stuff", "http://thecolbertreport.cc.com/videos/52xc1z/i-s-on-edjukashun---loyola--texas-textbooks---wal-mart", "http://thecolbertreport.cc.com/videos/44dhom/garret-keizer", "http://thecolbertreport.cc.com/videos/p9lstk/sign-off---goodnight" ], "guest": "Garret Keizer" }, { "date": "2010-07-07", "videos": [ "http://thecolbertreport.cc.com/videos/yx0x8s/the-carell-corral", "http://thecolbertreport.cc.com/videos/u8pmv7/the-economist-photoshops-obama-s-picture", "http://thecolbertreport.cc.com/videos/2vaaww/thought-for-food---kentucky-tuna---grilled-cheese-burger-melt", "http://thecolbertreport.cc.com/videos/7ctnwz/formula-401--beauty-from-my-beast", "http://thecolbertreport.cc.com/videos/s7mibo/steve-carell", "http://thecolbertreport.cc.com/videos/ytvd7r/sign-off---2010-sexy-spermatozoa-calendar" ], "guest": "Steve Carell" }, { "date": "2010-07-08", "videos": [ "http://thecolbertreport.cc.com/videos/381yrb/intro---7-8-10", "http://thecolbertreport.cc.com/videos/x5lln0/modest-con-2010", "http://thecolbertreport.cc.com/videos/zjdl0i/automatics-for-the-people---ilya-shapiro---jackie-hilly", "http://thecolbertreport.cc.com/videos/eieifn/emergency-thought-for-food---candwich-setback", "http://thecolbertreport.cc.com/videos/nlmfgk/arturo-rodriguez", "http://thecolbertreport.cc.com/videos/oc0gsm/sign-off---go-get-a-tan" ], "guest": "Arturo Rodriguez" }, { "date": "2010-07-26", "videos": [ "http://thecolbertreport.cc.com/videos/xsaeav/intro---7-26-10", "http://thecolbertreport.cc.com/videos/snrn4u/stephen-s-eco-vacation", "http://thecolbertreport.cc.com/videos/qqashr/racial-pro-firing", "http://thecolbertreport.cc.com/videos/1axxh8/nailed--em---polka-piracy", "http://thecolbertreport.cc.com/videos/u5kfga/hephzibah-anderson", "http://thecolbertreport.cc.com/videos/rcl3ml/sign-off---bud-light-lime" ], "guest": "Hephzibah Anderson" }, { "date": "2010-07-27", "videos": [ "http://thecolbertreport.cc.com/videos/aiaw4g/intro---7-27-10", "http://thecolbertreport.cc.com/videos/56iw57/bp-s-live-hayward-cam", "http://thecolbertreport.cc.com/videos/m571z2/that-s-the-way-i-leak-it---tom-blanton", "http://thecolbertreport.cc.com/videos/431v9v/tip-wag---baby-gap--dick-cheney---plants", "http://thecolbertreport.cc.com/videos/2afxlp/kevin-kline", "http://thecolbertreport.cc.com/videos/y6qd20/sign-off---goodnight" ], "guest": "Thomas S. Blanton, Kevin Kline" }, { "date": "2010-07-28", "videos": [ "http://thecolbertreport.cc.com/videos/it4pai/obama-blows-off-the-boy-scouts", "http://thecolbertreport.cc.com/videos/ce9wme/the-word---ownership-society", "http://thecolbertreport.cc.com/videos/k9y4mw/republican-gubernatorial-primary-battle-watch--010---tennessee", "http://thecolbertreport.cc.com/videos/hjiro1/elon-musk", "http://thecolbertreport.cc.com/videos/fl5n9q/sign-off---bit-of-advice" ], "guest": "Elon Musk" }, { "date": "2010-07-29", "videos": [ "http://thecolbertreport.cc.com/videos/cjuayn/intro---7-29-10", "http://thecolbertreport.cc.com/videos/dzk032/the-oil-is-missing", "http://thecolbertreport.cc.com/videos/i9hga3/thought-for-food---cereal--foot-long-cheeseburger---ecobot-iii", "http://thecolbertreport.cc.com/videos/jt67k1/apology-box", "http://thecolbertreport.cc.com/videos/sdjfj9/andy-cohen", "http://thecolbertreport.cc.com/videos/6hqby7/sign-off---cocktails" ], "guest": "Andy Cohen" }, { "date": "2010-08-02", "videos": [ "http://thecolbertreport.cc.com/videos/07zpy3/intro---8-2-10", "http://thecolbertreport.cc.com/videos/o9k8cr/stephen-might-be-gay", "http://thecolbertreport.cc.com/videos/wx3505/sport-report---london-olympics---illegal-bullfighting", "http://thecolbertreport.cc.com/videos/3dwyx0/alpha-dog-of-the-week---david-h--brooks", "http://thecolbertreport.cc.com/videos/ln5q1u/jimmy-cliff" ], "guest": "Jimmy Cliff" }, { "date": "2010-08-03", "videos": [ "http://thecolbertreport.cc.com/videos/s8t2k9/brett-favre-retires-again", "http://thecolbertreport.cc.com/videos/noj1lw/consumer-protection-agency---barney-frank", "http://thecolbertreport.cc.com/videos/jrpte4/republican-gubernatorial-primary-battle-watch--010---basil-marceaux-com", "http://thecolbertreport.cc.com/videos/a5r0r5/laura-ingraham", "http://thecolbertreport.cc.com/videos/9838f3/sign-off---credit-card-agreement" ], "guest": "Laura Ingraham" }, { "date": "2010-08-04", "videos": [ "http://thecolbertreport.cc.com/videos/eirad0/basil-marceaux-com---obama-s-birthday", "http://thecolbertreport.cc.com/videos/4mbc26/p-k--winsome---black-viewer-ratings", "http://thecolbertreport.cc.com/videos/vhx4eu/threat-standdown---monkey-terrorism", "http://thecolbertreport.cc.com/videos/t5nlmh/michael-posner", "http://thecolbertreport.cc.com/videos/gc9gia/sign-off---nielsen-mandela" ], "guest": "Michael Posner" }, { "date": "2010-08-05", "videos": [ "http://thecolbertreport.cc.com/videos/tsl05q/intro---8-5-10", "http://thecolbertreport.cc.com/videos/1qu0ts/how-to-ruin-same-sex-marriages", "http://thecolbertreport.cc.com/videos/gw1rft/pope-s-baseball-cap---catholictv", "http://thecolbertreport.cc.com/videos/bdzvwl/savion-glover", "http://thecolbertreport.cc.com/videos/our78a/sign-off---tap-dancing" ], "guest": "Savion Glover" }, { "date": "2010-08-10", "videos": [ "http://thecolbertreport.cc.com/videos/cfbxpk/intro---8-10-10", "http://thecolbertreport.cc.com/videos/40r2zf/honoring-martin-luther-king", "http://thecolbertreport.cc.com/videos/jbgt2s/citizenship-down---akhil-amar", "http://thecolbertreport.cc.com/videos/v2az23/alpha-dog-of-the-week---steven-slater", "http://thecolbertreport.cc.com/videos/uhmewn/dylan-ratigan", "http://thecolbertreport.cc.com/videos/p3wgd1/sign-off---goodnight" ], "guest": "Dylan Ratigan" }, { "date": "2010-08-11", "videos": [ "http://thecolbertreport.cc.com/videos/jwpn0p/moral-compass-5000-action-center", "http://thecolbertreport.cc.com/videos/tpcehb/david-finkel", "http://thecolbertreport.cc.com/videos/j0nge7/sign-off---goodnight" ], "guest": "David Finkel" }, { "date": "2010-08-12", "videos": [ "http://thecolbertreport.cc.com/videos/ibivj9/intro---8-12-10", "http://thecolbertreport.cc.com/videos/t6cmn9/happy-ramadan", "http://thecolbertreport.cc.com/videos/tavgu2/the-word---weapon-of-mass-construction", "http://thecolbertreport.cc.com/videos/obv2rl/senior-moment", "http://thecolbertreport.cc.com/videos/lx17lm/chuck-close", "http://thecolbertreport.cc.com/videos/h6dwnn/sign-off---chuck-close-books" ], "guest": "Chuck Close" }, { "date": "2010-08-16", "videos": [ "http://thecolbertreport.cc.com/videos/q61axv/growing-intelligence-community---richard-clarke", "http://thecolbertreport.cc.com/videos/yh08ag/invasion-of-the-country-snatchers", "http://thecolbertreport.cc.com/videos/gr3fyt/john-fetterman", "http://thecolbertreport.cc.com/videos/6ksdhb/sign-off---starbucks-latte" ], "guest": "Richard Clarke, John Fetterman" }, { "date": "2010-08-17", "videos": [ "http://thecolbertreport.cc.com/videos/dlrtyi/intro---8-17-10", "http://thecolbertreport.cc.com/videos/c3sn86/newsweek-ranks-the-world-s-best-countries", "http://thecolbertreport.cc.com/videos/2hdefm/better-know-a-lobby---american-meat-institute", "http://thecolbertreport.cc.com/videos/tno3pg/fox-news-and-republican-party-make-it-official", "http://thecolbertreport.cc.com/videos/2kzgs4/barry-levine", "http://thecolbertreport.cc.com/videos/xsqp9j/sign-off---newsweek" ], "guest": "Barry Levine" }, { "date": "2010-08-18", "videos": [ "http://thecolbertreport.cc.com/videos/vby4js/intro---8-18-10", "http://thecolbertreport.cc.com/videos/50c2du/brett-favre-returns-to-football", "http://thecolbertreport.cc.com/videos/08wn77/the-word---borderline-personality", "http://thecolbertreport.cc.com/videos/l06vi1/don-t-shoot-the-schlessinger", "http://thecolbertreport.cc.com/videos/389e2m/thomas-french", "http://thecolbertreport.cc.com/videos/b2scuj/sign-off---sharpened-broom-handle" ], "guest": "Thomas French" }, { "date": "2010-08-19", "videos": [ "http://thecolbertreport.cc.com/videos/x0zwn9/intro---8-19-10", "http://thecolbertreport.cc.com/videos/m4f5im/the-word---what-if-you-threw-a-peace-and-nobody-came-", "http://thecolbertreport.cc.com/videos/2rjk08/all-s-well-that-ends-oil-well---michael-blum", "http://thecolbertreport.cc.com/videos/c2uztk/jon-krakauer", "http://thecolbertreport.cc.com/videos/g9w04r/sign-off---goodnight" ], "guest": "Jon Krakauer" }, { "date": "2010-08-23", "videos": [ "http://thecolbertreport.cc.com/videos/zn0m8s/stephen-wins-an-emmy", "http://thecolbertreport.cc.com/videos/xa3l6x/the-word---losing-his-religion", "http://thecolbertreport.cc.com/videos/8vazj8/aqua-threatdown---oyster-sluts--japanese-hackers---israeli-regulators", "http://thecolbertreport.cc.com/videos/jjg6uf/leslie-kean", "http://thecolbertreport.cc.com/videos/gbrydj/sign-off---balloon" ], "guest": "Leslie Kean" }, { "date": "2010-08-24", "videos": [ "http://thecolbertreport.cc.com/videos/8v2r6r/intro---8-24-10", "http://thecolbertreport.cc.com/videos/ay7pky/terror-bunker-5200", "http://thecolbertreport.cc.com/videos/rxmuip/the-word---control-self-delete", "http://thecolbertreport.cc.com/videos/7azwuj/mahmoody-blues", "http://thecolbertreport.cc.com/videos/vly30s/jeffrey-goldberg", "http://thecolbertreport.cc.com/videos/p0468k/sign-off---sanitized-goodnight" ], "guest": "Jeffrey Goldberg" }, { "date": "2010-08-25", "videos": [ "http://thecolbertreport.cc.com/videos/ckwof5/john-mccain-s-victorious-defeat", "http://thecolbertreport.cc.com/videos/bn16zn/stephen-colbert-university---andrew-hacker", "http://thecolbertreport.cc.com/videos/nmp9j3/mysteries-of-the-ancient-unknown---king-tut-s-penis-pt--2", "http://thecolbertreport.cc.com/videos/boejnl/heidi-cullen", "http://thecolbertreport.cc.com/videos/8mv6il/sign-off---calculator" ], "guest": "Andrew Hacker, Heidi Cullen" }, { "date": "2010-08-26", "videos": [ "http://thecolbertreport.cc.com/videos/8g8jfw/intro---8-26-10", "http://thecolbertreport.cc.com/videos/cg8fb2/fox-news-job-opening", "http://thecolbertreport.cc.com/videos/3k8c17/glenn-livid", "http://thecolbertreport.cc.com/videos/ozbh2e/you-mosque-be-kidding", "http://thecolbertreport.cc.com/videos/idhto6/richard-engel", "http://thecolbertreport.cc.com/videos/054o86/sign-off---speaking-fee" ], "guest": "Richard Engel" }, { "date": "2010-09-07", "videos": [ "http://thecolbertreport.cc.com/videos/99y0f6/intro---9-7-10", "http://thecolbertreport.cc.com/videos/xvxdbg/geese-witherspoon", "http://thecolbertreport.cc.com/videos/os39h8/better-know-a-district---delaware-s-at-large---mike-castle-update", "http://thecolbertreport.cc.com/videos/ylp5nt/anthony-romero", "http://thecolbertreport.cc.com/videos/olfody/sign-off---welcome-home-show" ], "guest": "Anthony Romero" }, { "date": "2010-09-08", "videos": [ "http://thecolbertreport.cc.com/videos/ynyu8x/intro---9-8-10", "http://thecolbertreport.cc.com/videos/kmgrcb/been-there--won-that---joe-biden---yogi-berra", "http://thecolbertreport.cc.com/videos/l21o2y/been-there--won-that---ray-odierno", "http://thecolbertreport.cc.com/videos/dp7uzb/joe-biden", "http://thecolbertreport.cc.com/videos/r1r2jw/sign-off---thanks-to-the-returning-troops" ], "guest": "Vice President Joe Biden, Gen. Raymond Odierno" }, { "date": "2010-09-09", "videos": [ "http://thecolbertreport.cc.com/videos/txd70l/been-there--won-that---jim-webb", "http://thecolbertreport.cc.com/videos/tvmzxz/been-there--won-that---david-petraeus", "http://thecolbertreport.cc.com/videos/9543jt/brent-cummings---josh-bleill" ], "guest": "Sen. Jim Webb, Lt. Col. Brent Cummings, John Legend" }, { "date": "2010-09-13", "videos": [ "http://thecolbertreport.cc.com/videos/4q0lgz/intro---9-13-10", "http://thecolbertreport.cc.com/videos/1x4nj0/microwave-programming", "http://thecolbertreport.cc.com/videos/wzt5ev/bears---balls---american-apparel---chocolatey", "http://thecolbertreport.cc.com/videos/nwwxfb/stop-sending-live-animals", "http://thecolbertreport.cc.com/videos/hr5uxa/lisa-birnbach", "http://thecolbertreport.cc.com/videos/w7kfgs/sign-off---goodnight" ], "guest": "Lisa Birnbach" }, { "date": "2010-09-14", "videos": [ "http://thecolbertreport.cc.com/videos/zipkzm/intro---9-14-10", "http://thecolbertreport.cc.com/videos/pet2x5/peta-criticizes-joe-biden", "http://thecolbertreport.cc.com/videos/7cbxuw/the-word---mutually-assured-coercion", "http://thecolbertreport.cc.com/videos/oh49ge/luther-campbell-opposes-ground-zero-mosque", "http://thecolbertreport.cc.com/videos/yevohc/sean-wilentz", "http://thecolbertreport.cc.com/videos/fugenz/sign-off---goodnight" ], "guest": "Sean Wilentz" }, { "date": "2010-09-15", "videos": [ "http://thecolbertreport.cc.com/videos/0hpaxs/intro---9-15-10", "http://thecolbertreport.cc.com/videos/f8g0cq/libertea", "http://thecolbertreport.cc.com/videos/7v15m5/atone-phone---joan-rivers-calls", "http://thecolbertreport.cc.com/videos/n9nk9d/saul-griffith", "http://thecolbertreport.cc.com/videos/mjozqh/sign-off---world-changing-announcement" ], "guest": "Saul Griffith" }, { "date": "2010-09-16", "videos": [ "http://thecolbertreport.cc.com/videos/uj8r4c/march-to-keep-fear-alive-announcement", "http://thecolbertreport.cc.com/videos/5klha6/threatdown---bedbugs---environmentalists---jerome-goddard", "http://thecolbertreport.cc.com/videos/pck634/lawrence-o-donnell", "http://thecolbertreport.cc.com/videos/h5yz8n/sign-off---march-to-keep-fear-alive" ], "guest": "Lawrence O'Donnell" }, { "date": "2010-09-20", "videos": [ "http://thecolbertreport.cc.com/videos/cahpkw/intro---9-20-10", "http://thecolbertreport.cc.com/videos/1fmwjo/christine-o-donnell-witch-test", "http://thecolbertreport.cc.com/videos/diatjd/tip-wag---chilean-miners--portland-press-herald---isa-blyth", "http://thecolbertreport.cc.com/videos/a4y4ey/march-to-keep-fear-alive-media-coverage", "http://thecolbertreport.cc.com/videos/b65ofd/pavement" ], "guest": "Pavement" }, { "date": "2010-09-21", "videos": [ "http://thecolbertreport.cc.com/videos/yi7cbo/intro---9-21-10", "http://thecolbertreport.cc.com/videos/t99up5/in-poor-taste---mark-shriver", "http://thecolbertreport.cc.com/videos/2vrsvg/colbertslist", "http://thecolbertreport.cc.com/videos/tnb3an/eric-schmidt", "http://thecolbertreport.cc.com/videos/kecowj/sign-off---sign-up-for-the-march-to-keep-fear-alive" ], "guest": "Eric Schmidt" }, { "date": "2010-09-22", "videos": [ "http://thecolbertreport.cc.com/videos/q8xj8c/intro---9-22-10", "http://thecolbertreport.cc.com/videos/gcap67/the-christine-o-donnell-clip-predictor-3000", "http://thecolbertreport.cc.com/videos/xq0472/the-word---the-more-you-no", "http://thecolbertreport.cc.com/videos/xr7q4y/fallback-position---migrant-worker-pt--1", "http://thecolbertreport.cc.com/videos/kgnwdf/guillermo-del-toro", "http://thecolbertreport.cc.com/videos/lnpblj/sign-off---stephen-won-t-forgive-you" ], "guest": "Guillermo Del Toro" }, { "date": "2010-09-23", "videos": [ "http://thecolbertreport.cc.com/videos/e9ulyf/intro---9-23-10", "http://thecolbertreport.cc.com/videos/puxqvp/fallback-position---migrant-worker-pt--2", "http://thecolbertreport.cc.com/videos/imp10g/sanchez-bump", "http://thecolbertreport.cc.com/videos/937jzh/oscar-goodman", "http://thecolbertreport.cc.com/videos/hitep1/sign-off---american-history-lesson" ], "guest": "Oscar Goodman" }, { "date": "2010-09-27", "videos": [ "http://thecolbertreport.cc.com/videos/esvw5v/intro---9-27-10", "http://thecolbertreport.cc.com/videos/aychpz/corn-packer-apology", "http://thecolbertreport.cc.com/videos/nc19il/the-delawert-report", "http://thecolbertreport.cc.com/videos/pcae92/the-word---army-of-mum", "http://thecolbertreport.cc.com/videos/kby55r/yahweh-or-no-way---ihop---antonio-federici-ad", "http://thecolbertreport.cc.com/videos/y2afey/ken-burns", "http://thecolbertreport.cc.com/videos/g2pys1/sign-off---goodnight" ], "guest": "Ken Burns" }, { "date": "2010-09-28", "videos": [ "http://thecolbertreport.cc.com/videos/s437p7/intro---9-28-10", "http://thecolbertreport.cc.com/videos/gspyir/left-behind---paul-begala", "http://thecolbertreport.cc.com/videos/57ib6e/terror-a-new-one", "http://thecolbertreport.cc.com/videos/ut4vp1/ross-douthat", "http://thecolbertreport.cc.com/videos/0pm7c2/sign-off---democratic-grave" ], "guest": "Paul Begala, Ross Douthat" }, { "date": "2010-09-29", "videos": [ "http://thecolbertreport.cc.com/videos/umvy3w/march-to-keep-fear-alive-insanity-bus", "http://thecolbertreport.cc.com/videos/kup6co/the-word---original-spin", "http://thecolbertreport.cc.com/videos/z1c69t/threatdown---record-breaking-gays--koalas---purell", "http://thecolbertreport.cc.com/videos/q56zhc/steven-rattner", "http://thecolbertreport.cc.com/videos/kn5pkq/sign-off---sign-up-for-the-march-to-keep-fear-alive" ], "guest": "Steve Rattner" }, { "date": "2010-09-30", "videos": [ "http://thecolbertreport.cc.com/videos/umgd4n/intro---9-30-10", "http://thecolbertreport.cc.com/videos/xic7q8/president-obama-endorses-the-rally-to-restore-sanity", "http://thecolbertreport.cc.com/videos/xd5pkh/droid-rage", "http://thecolbertreport.cc.com/videos/w8i263/stat-of-the-union", "http://thecolbertreport.cc.com/videos/h7gmgz/aaron-sorkin", "http://thecolbertreport.cc.com/videos/7zrc6h/sign-off---march-to-keep-fear-alive-costumes" ], "guest": "Aaron Sorkin" }, { "date": "2010-10-04", "videos": [ "http://thecolbertreport.cc.com/videos/vwiap8/intro---10-4-10", "http://thecolbertreport.cc.com/videos/h7fctl/we-world-war-won-it", "http://thecolbertreport.cc.com/videos/k8t4ao/the-word---it-s-a-small-minded-world", "http://thecolbertreport.cc.com/videos/nbdcz5/tip-wag---tea-party-coloring-book---calm-legislation", "http://thecolbertreport.cc.com/videos/pl2b2g/eugene-robinson", "http://thecolbertreport.cc.com/videos/3w0ogs/sign-off---matching-donor" ], "guest": "Eugene Robinson" }, { "date": "2010-10-05", "videos": [ "http://thecolbertreport.cc.com/videos/72j4yn/intro---10-5-10", "http://thecolbertreport.cc.com/videos/9xty22/american-sexual-habits", "http://thecolbertreport.cc.com/videos/0xyglo/gang-busters---john-burnett", "http://thecolbertreport.cc.com/videos/e4gleb/langur-monkey-security", "http://thecolbertreport.cc.com/videos/98qo87/leon-botstein", "http://thecolbertreport.cc.com/videos/gi2fk6/sign-off---goodnight" ], "guest": "Leon Botstein" }, { "date": "2010-10-06", "videos": [ "http://thecolbertreport.cc.com/videos/pg4r1d/intro---10-6-10", "http://thecolbertreport.cc.com/videos/gu3bg9/tiny-triumphs---environmentalist-ear-pollution", "http://thecolbertreport.cc.com/videos/rex0nc/rawesome-foods-raid", "http://thecolbertreport.cc.com/videos/6krvaq/mavis-staples---jeff-tweedy", "http://thecolbertreport.cc.com/videos/01gaiu/sign-off---you-are-not-alone" ], "guest": "Mavis Staples &amp; Jeff Tweedy" }, { "date": "2010-10-07", "videos": [ "http://thecolbertreport.cc.com/videos/sy1j26/indecision-2010---revenge-of-the-fallen---fearstock-com", "http://thecolbertreport.cc.com/videos/5qjigz/proposition-19---joseph-califano---gary-johnson", "http://thecolbertreport.cc.com/videos/rzuziw/donorschoose-org-fear-drawings", "http://thecolbertreport.cc.com/videos/077dy4/davis-guggenheim", "http://thecolbertreport.cc.com/videos/th4oe4/sign-off---don-t-go-to-donorschoose-com" ], "guest": "Davis Guggenheim" }, { "date": "2010-10-11", "videos": [ "http://thecolbertreport.cc.com/videos/mnxgqn/intro---10-11-10", "http://thecolbertreport.cc.com/videos/2buyr8/rich-iott-wears-a-nazi-uniform", "http://thecolbertreport.cc.com/videos/f1n1ah/threatdown---muslim-edition", "http://thecolbertreport.cc.com/videos/6x3w7h/formula-4-your-eyes-only", "http://thecolbertreport.cc.com/videos/l23gil/robert-reich", "http://thecolbertreport.cc.com/videos/6314hj/sign-off---stephen-needs-a-place-to-hold-his-march" ], "guest": "Robert Reich" }, { "date": "2010-10-12", "videos": [ "http://thecolbertreport.cc.com/videos/ksbkyk/intro---10-12-10", "http://thecolbertreport.cc.com/videos/que3dz/101-year-old-woman-becomes-a-u-s--citizen", "http://thecolbertreport.cc.com/videos/xpawsw/tip-wag---peabody-public-schools--andy-rooney---ground-zero-mosque-design", "http://thecolbertreport.cc.com/videos/o656bc/merch-to-keep-fear-alive", "http://thecolbertreport.cc.com/videos/bncunr/brendan-steinhauser", "http://thecolbertreport.cc.com/videos/4i1iy2/sign-off---apple-filled-with-razor-blades" ], "guest": "Brendan Steinhauser" }, { "date": "2010-10-13", "videos": [ "http://thecolbertreport.cc.com/videos/nkf1gw/intro---10-13-10", "http://thecolbertreport.cc.com/videos/40azz5/america-helps-rescue-chilean-miners", "http://thecolbertreport.cc.com/videos/fg5dcw/sport-report---steroids--commonwealth-games---brett-favre-s-sexting", "http://thecolbertreport.cc.com/videos/nq3g54/tax-shelter-skelter", "http://thecolbertreport.cc.com/videos/ip94pd/austan-goolsbee", "http://thecolbertreport.cc.com/videos/7n0fzv/sign-off---tic-tac-toe-with-austan-goolsbee" ], "guest": "Austan Goolsbee" }, { "date": "2010-10-14", "videos": [ "http://thecolbertreport.cc.com/videos/ke3ug4/transitive-property-of-christine-o-donnell", "http://thecolbertreport.cc.com/videos/jvi6id/people-who-are-destroying-america---landscaping-goats", "http://thecolbertreport.cc.com/videos/8kgt7i/rally-to-restore-sanity-and-or-fear-chinatown-bus-tickets", "http://thecolbertreport.cc.com/videos/wc2nwv/bill-bryson", "http://thecolbertreport.cc.com/videos/ns0u0b/sign-off---oprah-is-wonderful" ], "guest": "Bill Bryson" }, { "date": "2010-10-25", "videos": [ "http://thecolbertreport.cc.com/videos/ou6z90/indecision-2010---revenge-of-the-fallen---sean-bielat---ken-buck", "http://thecolbertreport.cc.com/videos/t96zw6/the-word---midterm-erection", "http://thecolbertreport.cc.com/videos/r3cpem/who-s-honoring-me-now----colbert-nation-five-years-of-excellence-award", "http://thecolbertreport.cc.com/videos/tx8w6w/nicholas-negroponte", "http://thecolbertreport.cc.com/videos/hjbcjo/sign-off---fifth-anniversary-portrait" ], "guest": "Nicholas Negroponte" }, { "date": "2010-10-26", "videos": [ "http://thecolbertreport.cc.com/videos/vtn4dg/intro---10-26-10", "http://thecolbertreport.cc.com/videos/upm6ow/stephen-appears-in-the-new-york-times-crossword-puzzle", "http://thecolbertreport.cc.com/videos/rh943m/the-word---invisible-inc-", "http://thecolbertreport.cc.com/videos/57deny/food-insurance-insurance", "http://thecolbertreport.cc.com/videos/9dol4n/garry-wills", "http://thecolbertreport.cc.com/videos/ifnetg/sign-off---stream-elvis-costello-s-national-ransom" ], "guest": "Gary Wills" }, { "date": "2010-10-27", "videos": [ "http://thecolbertreport.cc.com/videos/qjfe6u/exclusive---have-you-seen-the-ghost-of-jon-", "http://thecolbertreport.cc.com/videos/iyha0d/intro---10-27-10", "http://thecolbertreport.cc.com/videos/a393lf/rand-paul-supporter-stomps-on-liberal-activist-s-head", "http://thecolbertreport.cc.com/videos/ah47vl/indecision-2010---revenge-of-the-fallen---tom-perriello", "http://thecolbertreport.cc.com/videos/k3z37d/snooki-halloween-costume---spooky-rally-song", "http://thecolbertreport.cc.com/videos/tmruw9/apolo-ohno", "http://thecolbertreport.cc.com/videos/g0i5r2/sign-off---2010-election-map-from-denny-s" ], "guest": "Rep. Tom Perriello, Apolo Anton Ohno" }, { "date": "2010-10-28", "videos": [ "http://thecolbertreport.cc.com/videos/ea746g/the-mcrib-is-back", "http://thecolbertreport.cc.com/videos/y2nj3n/fear-for-all-pt--1", "http://thecolbertreport.cc.com/videos/ttx9jf/fear-for-all-pt--2", "http://thecolbertreport.cc.com/videos/el1mv0/maira-kalman", "http://thecolbertreport.cc.com/videos/p6c0ah/sign-off---see-you-at-the-rally" ], "guest": "Maira Kalman" }, { "date": "2010-11-01", "videos": [ "http://thecolbertreport.cc.com/videos/4or1uk/intro---11-1-10", "http://thecolbertreport.cc.com/videos/pjth2k/a-fond-look-back-at-the-rally", "http://thecolbertreport.cc.com/videos/6y87u2/midterm-senate-races---nevada--alaska---delaware", "http://thecolbertreport.cc.com/videos/ghbjcp/hispanic-and-gay-voters-should-stay-at-home", "http://thecolbertreport.cc.com/videos/r4udbe/jonathan-alter", "http://thecolbertreport.cc.com/videos/h06l8n/sign-off---don-t-forget-to-vote" ], "guest": "Jonathan Alter" }, { "date": "2010-11-02", "videos": [ "http://thecolbertreport.cc.com/videos/q6wjad/indecision-2010---intro---11-2-10", "http://thecolbertreport.cc.com/videos/5y5ul8/indecision-2010---gop-takes-house", "http://thecolbertreport.cc.com/videos/yubkdk/indecision-2010---david-frum", "http://thecolbertreport.cc.com/videos/ii11zs/indecision-2010---katrina-vanden-heuvel", "http://thecolbertreport.cc.com/videos/fpxe9g/indecision-2010---sign-off---election-to-end-all-elections" ], "guest": "Katrina vanden Heuvel, David Frum" }, { "date": "2010-11-03", "videos": [ "http://thecolbertreport.cc.com/videos/npkdbl/intro---11-3-10", "http://thecolbertreport.cc.com/videos/dnol9b/we-hardly-better-knew-ye", "http://thecolbertreport.cc.com/videos/tsa7r8/stephen-colbert-gives-you-props", "http://thecolbertreport.cc.com/videos/g1n60y/doris-kearns-goodwin", "http://thecolbertreport.cc.com/videos/0ciqy7/sign-off---smiley-face-balloon" ], "guest": "Doris Kearns Goodwin" }, { "date": "2010-11-04", "videos": [ "http://thecolbertreport.cc.com/videos/ze4pgk/intro---11-4-10", "http://thecolbertreport.cc.com/videos/jssup2/spider-man-is-alaska-s-write-in-candidate", "http://thecolbertreport.cc.com/videos/59l5bf/tip-wag---tsa--bert---dogs", "http://thecolbertreport.cc.com/videos/px319n/elvis-costello" ], "guest": "Elvis Costello" }, { "date": "2010-11-08", "videos": [ "http://thecolbertreport.cc.com/videos/bf24qu/one-hour-in-the-future", "http://thecolbertreport.cc.com/videos/odml1w/the-word---nothingness", "http://thecolbertreport.cc.com/videos/450kbl/president-obama-s-expensive-trip-to-india", "http://thecolbertreport.cc.com/videos/itfuo6/reza-aslan", "http://thecolbertreport.cc.com/videos/flh0gj/sign-off---battleship" ], "guest": "Reza Aslan" }, { "date": "2010-11-09", "videos": [ "http://thecolbertreport.cc.com/videos/ndicnt/decision-points", "http://thecolbertreport.cc.com/videos/t6dluv/house-oversight-committee-hearings---abbe-lowell", "http://thecolbertreport.cc.com/videos/2tsnui/craziest-f--king-thing-i-ve-ever-heard---crab-vending-machines", "http://thecolbertreport.cc.com/videos/thu56b/cee-lo-green" ], "guest": "Cee-Lo Green" }, { "date": "2010-11-10", "videos": [ "http://thecolbertreport.cc.com/videos/r8nn6k/michelle-obama-s-embarrassing-handshake", "http://thecolbertreport.cc.com/videos/h0bv7g/america-s-job-loss---beri-fox", "http://thecolbertreport.cc.com/videos/qra7vl/statue-of-jesus", "http://thecolbertreport.cc.com/videos/0cxark/martha-stewart", "http://thecolbertreport.cc.com/videos/gd9t0s/sign-off---saltine-hors-d-oeuvres" ], "guest": "Martha Stewart" }, { "date": "2010-11-11", "videos": [ "http://thecolbertreport.cc.com/videos/vavqn0/colbert-platinum---kanye-west---million-dollar-advent-calendar-segment", "http://thecolbertreport.cc.com/videos/6py8bn/intro---11-11-10", "http://thecolbertreport.cc.com/videos/6obewf/stephen-absorbs-gene-shalit-s-opinions", "http://thecolbertreport.cc.com/videos/pigos8/colbert-platinum---kanye-west---million-dollar-advent-calendar", "http://thecolbertreport.cc.com/videos/8zchd5/stephen-trademarks-dated-catchphrases", "http://thecolbertreport.cc.com/videos/opi39p/quincy-jones", "http://thecolbertreport.cc.com/videos/dlv5sb/sign-off---if-it-walks-like-a-duck" ], "guest": "Quincy Jones" }, { "date": "2010-11-15", "videos": [ "http://thecolbertreport.cc.com/videos/zwpnzb/finding-mr--goodwrench", "http://thecolbertreport.cc.com/videos/dzeed3/tsa-full-body-scanners---jeffrey-goldberg", "http://thecolbertreport.cc.com/videos/yi115x/garfield-and-president-obama-s-veterans-day-controversies", "http://thecolbertreport.cc.com/videos/zgerlg/david-stern", "http://thecolbertreport.cc.com/videos/f5nt0v/sign-off---garfield-loves-veterans" ], "guest": "David Stern" }, { "date": "2010-11-16", "videos": [ "http://thecolbertreport.cc.com/videos/a6jx8i/intro---11-16-10", "http://thecolbertreport.cc.com/videos/r1nlt4/prince-william-proposes-to-kate-middleton", "http://thecolbertreport.cc.com/videos/6x0tmp/thought-for-food---c-zurrrre--medal-of-hunger-winner---cheesercize", "http://thecolbertreport.cc.com/videos/5n8eoi/stephen-colbert-s-report", "http://thecolbertreport.cc.com/videos/brwtip/john-legend" ], "guest": "John Legend" }, { "date": "2010-11-17", "videos": [ "http://thecolbertreport.cc.com/videos/13lnab/intro---11-17-10", "http://thecolbertreport.cc.com/videos/bzhpi2/charlie-rangel--you-got-mailed", "http://thecolbertreport.cc.com/videos/izlih7/old-people-in-space", "http://thecolbertreport.cc.com/videos/rhup4k/chair-apparent", "http://thecolbertreport.cc.com/videos/x10udl/ian-frazier", "http://thecolbertreport.cc.com/videos/iu8jdu/synchronize-watches-to-colbert-time" ], "guest": "Ian Frazier" }, { "date": "2010-11-18", "videos": [ "http://thecolbertreport.cc.com/videos/rip59b/stephen-pardons-joseph-gobbles", "http://thecolbertreport.cc.com/videos/6dqu0c/tip-wag---pope-benedict-xvi--trick-play---joseph-gobbles", "http://thecolbertreport.cc.com/videos/fbks4j/joseph-gobbles-shoots-jay-the-intern", "http://thecolbertreport.cc.com/videos/9ldbp0/salvatore-giunta", "http://thecolbertreport.cc.com/videos/92wwov/sign-off---happy-thanksgiving" ], "guest": "Staff Sgt. Salvatore Giunta" }, { "date": "2010-11-29", "videos": [ "http://thecolbertreport.cc.com/videos/fyh8jk/intro---11-29-10", "http://thecolbertreport.cc.com/videos/5liwl3/black-friday-interpretation", "http://thecolbertreport.cc.com/videos/qhebrf/better-business-hero", "http://thecolbertreport.cc.com/videos/1fhpey/dan-savage", "http://thecolbertreport.cc.com/videos/nilxac/sign-off---goodnight" ], "guest": "Dan Savage" }, { "date": "2010-11-30", "videos": [ "http://thecolbertreport.cc.com/videos/0th7i0/god-drops-steve-johnson-s-football-pass", "http://thecolbertreport.cc.com/videos/rd3bzl/wikileaks-document-dump---james-rubin", "http://thecolbertreport.cc.com/videos/t2kayc/soap-opera-product-placement", "http://thecolbertreport.cc.com/videos/5qjkay/tom-vilsack", "http://thecolbertreport.cc.com/videos/ovt98b/sign-off---chex-mix-product-placement" ], "guest": "Tom Vilsack" }, { "date": "2010-12-01", "videos": [ "http://thecolbertreport.cc.com/videos/373wri/return-of-the-estate-tax", "http://thecolbertreport.cc.com/videos/hml13u/lame-duck-congress---jake-tapper", "http://thecolbertreport.cc.com/videos/df8z4y/cheating-death---calming-meat-goggles---the-ithrone", "http://thecolbertreport.cc.com/videos/hbifbv/michelle-rhee", "http://thecolbertreport.cc.com/videos/5oq9dq/sign-off---up-on-the-lingo" ], "guest": "Michelle Rhee" }, { "date": "2010-12-02", "videos": [ "http://thecolbertreport.cc.com/videos/d067b7/intro---12-2-10", "http://thecolbertreport.cc.com/videos/y4fa8v/john-thune-looks-presidential", "http://thecolbertreport.cc.com/videos/vaqkqk/the-word---the-great-white-wail", "http://thecolbertreport.cc.com/videos/efh5u1/the-blitzkrieg-on-grinchitude---atheist-billboard---capitol-christmas-tree", "http://thecolbertreport.cc.com/videos/trmu6j/david-stockman", "http://thecolbertreport.cc.com/videos/v9n94y/sign-off---chinese-finger-trap" ], "guest": "David Stockman" }, { "date": "2010-12-06", "videos": [ "http://thecolbertreport.cc.com/videos/exzvsm/cosmo-is-available-in-mongolia", "http://thecolbertreport.cc.com/videos/bwubcy/the-word---unrequited-gov", "http://thecolbertreport.cc.com/videos/eoidl7/mysteries-of-the-ancient-unknown---the-pursuit-of-the-pharaoh-s-phallus-pt--1", "http://thecolbertreport.cc.com/videos/wdodc8/garry-trudeau", "http://thecolbertreport.cc.com/videos/gktluk/sign-off---goodnight" ], "guest": "Garry Trudeau" }, { "date": "2010-12-07", "videos": [ "http://thecolbertreport.cc.com/videos/ishllr/extension-of-the-bush-tax-cuts", "http://thecolbertreport.cc.com/videos/n0u86v/mysteries-of-the-ancient-unknown---the-pursuit-of-the-pharaoh-s-phallus-pt--2", "http://thecolbertreport.cc.com/videos/ya6qw9/poll-to-repeal-don-t-ask--don-t-tell", "http://thecolbertreport.cc.com/videos/gf8r28/david-eisenhower---julie-nixon-eisenhower", "http://thecolbertreport.cc.com/videos/99syt9/sign-off---goodnight" ], "guest": "Julie Nixon Eisenhower &amp; David Eisenhower" }, { "date": "2010-12-08", "videos": [ "http://thecolbertreport.cc.com/videos/f6likw/exclusive---steve-martin-extended-segment", "http://thecolbertreport.cc.com/videos/kml8x8/tip-wag---art-edition---brent-glass", "http://thecolbertreport.cc.com/videos/2akwcg/steve-martin-pt--1", "http://thecolbertreport.cc.com/videos/yqcbtk/steve-martin-pt--2", "http://thecolbertreport.cc.com/videos/ct0ud7/sign-off---steve-martin-mask" ], "guest": "Steve Martin" }, { "date": "2010-12-09", "videos": [ "http://thecolbertreport.cc.com/videos/znivka/israel-shark-conspiracy", "http://thecolbertreport.cc.com/videos/fi19uy/international-manhunt-for-julian-assange---daniel-ellsberg", "http://thecolbertreport.cc.com/videos/fk2pnu/art-stephen-up-challenge---william-wegman", "http://thecolbertreport.cc.com/videos/1akto9/julie-taymor", "http://thecolbertreport.cc.com/videos/hcd55s/sign-off---christmas-party" ], "guest": "Julie Taymor" }, { "date": "2010-12-13", "videos": [ "http://thecolbertreport.cc.com/videos/f2kl6o/intro---12-13-10", "http://thecolbertreport.cc.com/videos/eolk50/found-goldman-sachs-mastercard", "http://thecolbertreport.cc.com/videos/c1yv8b/the-word---swift-payment", "http://thecolbertreport.cc.com/videos/btsd4o/blitzkrieg-on-grinchitude---gretchen-carlson---christian-nation-christ-mas-tree", "http://thecolbertreport.cc.com/videos/rufuhr/patti-smith", "http://thecolbertreport.cc.com/videos/t0590z/sign-off---remembering-richard-holbrooke" ], "guest": "Patti Smith" }, { "date": "2010-12-14", "videos": [ "http://thecolbertreport.cc.com/videos/ycermm/goldman-sachs-lawyers-want-buckley-t--ratchford-s-card-back", "http://thecolbertreport.cc.com/videos/rsdutw/prop-8-challenge---david-boies", "http://thecolbertreport.cc.com/videos/4tx5ks/stephen-wins-twitter---biz-stone", "http://thecolbertreport.cc.com/videos/ouqrnm/stephen-sondheim", "http://thecolbertreport.cc.com/videos/ajg2h0/sign-off---closing-credits" ], "guest": "David Boies, Stephen Sondheim" }, { "date": "2010-12-15", "videos": [ "http://thecolbertreport.cc.com/videos/9gi4ae/intro---12-15-10", "http://thecolbertreport.cc.com/videos/67nfxh/scanner-defying-pancakes", "http://thecolbertreport.cc.com/videos/fv3gl9/world-war-3-0---omar-wasow", "http://thecolbertreport.cc.com/videos/rr8wvk/tiny-triumphs---lethal-drug-shortage", "http://thecolbertreport.cc.com/videos/e05lny/laird-hamilton", "http://thecolbertreport.cc.com/videos/nv267b/sign-off---winter-fashion-tip" ], "guest": "Omar Wasow, Laird Hamilton" }, { "date": "2010-12-16", "videos": [ "http://thecolbertreport.cc.com/videos/cb861t/christmas-holy-week", "http://thecolbertreport.cc.com/videos/m38gcf/jesus-is-a-liberal-democrat", "http://thecolbertreport.cc.com/videos/tvxon5/amy-sedaris", "http://thecolbertreport.cc.com/videos/zejxdk/paul-simon" ], "guest": "Amy Sedaris, Paul Simon" } ], "2011": [ { "date": "2011-01-03", "videos": [ "http://thecolbertreport.cc.com/videos/a5rzlq/intro---1-3-11", "http://thecolbertreport.cc.com/videos/pgayak/snowpocalypse-2010", "http://thecolbertreport.cc.com/videos/7b084t/tip-wag---susan-g--komen-foundation---spider-man-musical", "http://thecolbertreport.cc.com/videos/44ybv8/the-enemy-within---caboodle-ranch", "http://thecolbertreport.cc.com/videos/vopb2f/ed-rendell", "http://thecolbertreport.cc.com/videos/bvg4tu/sign-off---home-improvement-tip" ], "guest": "Sen. Bernie Sanders" }, { "date": "2011-01-04", "videos": [ "http://thecolbertreport.cc.com/videos/40y983/intro---1-4-11", "http://thecolbertreport.cc.com/videos/tq4xo3/native-american-overlords", "http://thecolbertreport.cc.com/videos/kafccc/gold-faithful", "http://thecolbertreport.cc.com/videos/0ds0c9/gold-faithful---ron-paul---david-leonhardt", "http://thecolbertreport.cc.com/videos/leatvt/geoffrey-canada", "http://thecolbertreport.cc.com/videos/h983ts/sign-off---12-dutchmen-answer" ], "guest": "John Heilemann" }, { "date": "2011-01-05", "videos": [ "http://thecolbertreport.cc.com/videos/upvgg0/intro---1-5-11", "http://thecolbertreport.cc.com/videos/ttqn4k/huckleberry-finn-censorship", "http://thecolbertreport.cc.com/videos/4c01zx/what-s-a-reince-priebus-", "http://thecolbertreport.cc.com/videos/d2586v/yellowline-international--inc-", "http://thecolbertreport.cc.com/videos/1yfs5a/atul-gawande", "http://thecolbertreport.cc.com/videos/ta25ww/sign-off---dark-side-of-the-moon" ], "guest": "Steve Case" }, { "date": "2011-01-06", "videos": [ "http://thecolbertreport.cc.com/videos/gfffz6/shout-out-to-arby-s", "http://thecolbertreport.cc.com/videos/g7dtso/john-boehner-s-large-gavel", "http://thecolbertreport.cc.com/videos/t27er5/cheating-death---placebo-effect--immortality---wild-lynx", "http://thecolbertreport.cc.com/videos/n6wqjn/bill-o-reilly-proves-god-s-existence---neil-degrasse-tyson", "http://thecolbertreport.cc.com/videos/i48v1q/ronald-depinho", "http://thecolbertreport.cc.com/videos/x8bqqt/sign-off---boris-the-lynx" ], "guest": "Dr. Ronald DePinho" }, { "date": "2011-01-10", "videos": [ "http://thecolbertreport.cc.com/videos/qi5a0o/intro---1-10-11", "http://thecolbertreport.cc.com/videos/xl3r2n/pundits-lay-blame-for-senseless-arizona-attack", "http://thecolbertreport.cc.com/videos/6s01yh/bull-sessions", "http://thecolbertreport.cc.com/videos/cng4n9/difference-makers---galactic-edition-pt--1", "http://thecolbertreport.cc.com/videos/oelxfx/difference-makers---galactic-edition-pt--2", "http://thecolbertreport.cc.com/videos/gk32r8/fen-montaigne", "http://thecolbertreport.cc.com/videos/oslcyl/sign-off---goodnight" ], "guest": "Fen Montaigne" }, { "date": "2011-01-11", "videos": [ "http://thecolbertreport.cc.com/videos/97pzie/intro---1-11-11", "http://thecolbertreport.cc.com/videos/q63emf/snowstorm-preparation", "http://thecolbertreport.cc.com/videos/rbg8gh/metunes---grammy-vote---dan-auerbach--patrick-carney---ezra-koenig", "http://thecolbertreport.cc.com/videos/oqami3/lithuania-perfume", "http://thecolbertreport.cc.com/videos/mqh8rb/chris-hughes", "http://thecolbertreport.cc.com/videos/8re8oa/sign-off---pringles" ], "guest": "Chris Hughes" }, { "date": "2011-01-12", "videos": [ "http://thecolbertreport.cc.com/videos/1aza8n/50-cent-makes-money-on-twitter", "http://thecolbertreport.cc.com/videos/b4mxvn/the-word---life--liberty-and-the-pursuit-of-angriness", "http://thecolbertreport.cc.com/videos/56kjjw/bernard-henri-levy-pt--1", "http://thecolbertreport.cc.com/videos/cmxyxs/bernard-henri-levy-pt--2", "http://thecolbertreport.cc.com/videos/splrfl/sign-off---goodnight" ], "guest": "Bernard-Henri Levy" }, { "date": "2011-01-13", "videos": [ "http://thecolbertreport.cc.com/videos/h5qwzv/hitler-s-inspiring-tucson-memorial-speech", "http://thecolbertreport.cc.com/videos/nhx7bu/thought-for-food---fruit-pouch--doritos-ad---super-big-gulp", "http://thecolbertreport.cc.com/videos/wdqdqn/israeli-vulture-spy", "http://thecolbertreport.cc.com/videos/xczq8w/kevin-spacey", "http://thecolbertreport.cc.com/videos/iyyhr8/sign-off---new-york-post" ], "guest": "Kevin Spacey" }, { "date": "2011-01-17", "videos": [ "http://thecolbertreport.cc.com/videos/iuhos5/intro---1-17-11", "http://thecolbertreport.cc.com/videos/ztaz7m/martin-luther-king-jr--day-sales", "http://thecolbertreport.cc.com/videos/9ycstf/the-word---run-for-your-life", "http://thecolbertreport.cc.com/videos/ib4cpu/art-stephen-up-challenge---wade-hampton", "http://thecolbertreport.cc.com/videos/kd5rmr/sherry-turkle", "http://thecolbertreport.cc.com/videos/tj76rr/sign-off---new-york-post" ], "guest": "Sherry Turkle" }, { "date": "2011-01-18", "videos": [ "http://thecolbertreport.cc.com/videos/fi5nk7/intro---1-18-11", "http://thecolbertreport.cc.com/videos/y6lk8z/mika-brzezinski-experiences-palin-fatigue", "http://thecolbertreport.cc.com/videos/1zj4bl/the-word---disintegration", "http://thecolbertreport.cc.com/videos/l4vdiw/coma-cozy", "http://thecolbertreport.cc.com/videos/zeukt7/cornel-west", "http://thecolbertreport.cc.com/videos/njlf77/sign-off---coma-cozy" ], "guest": "Cornel West" }, { "date": "2011-01-19", "videos": [ "http://thecolbertreport.cc.com/videos/4e1xmn/intro---1-19-11", "http://thecolbertreport.cc.com/videos/0s8rfq/black-tie-dinner-for-hu-jintao", "http://thecolbertreport.cc.com/videos/nujiex/tip-wag---four-loko---horoscopes", "http://thecolbertreport.cc.com/videos/vb8d7c/shout-out---preston-pysh", "http://thecolbertreport.cc.com/videos/czmy3b/ron-reagan", "http://thecolbertreport.cc.com/videos/0ycmn7/sign-off---i-eat-america--and-so-can-you---recall" ], "guest": "Ron Reagan Jr." }, { "date": "2011-01-20", "videos": [ "http://thecolbertreport.cc.com/videos/091ydv/rush-limbaugh-speaks-chinese", "http://thecolbertreport.cc.com/videos/bq6mnl/state-budget-shortfalls---christine-todd-whitman", "http://thecolbertreport.cc.com/videos/c8u4qm/50th-anniversary-of-jfk-s-inaugural-address", "http://thecolbertreport.cc.com/videos/6pfgfg/chris-matthews", "http://thecolbertreport.cc.com/videos/jjup5d/sign-off---donald-pellview" ], "guest": "Chris Matthews" }, { "date": "2011-01-24", "videos": [ "http://thecolbertreport.cc.com/videos/z2h5xs/intro---1-24-11", "http://thecolbertreport.cc.com/videos/ry0uh0/stephen-rejects-keith-olbermann-s-power", "http://thecolbertreport.cc.com/videos/e7bfej/the-word---coverage-of-denial", "http://thecolbertreport.cc.com/videos/mjnoqk/art-stephen-up-challenge---banksy", "http://thecolbertreport.cc.com/videos/rsyf0v/charlie-rose", "http://thecolbertreport.cc.com/videos/v0sh08/sign-off---keith-olbermug" ], "guest": "Charlie Rose" }, { "date": "2011-01-25", "videos": [ "http://thecolbertreport.cc.com/videos/1mhey7/intro---1-25-11", "http://thecolbertreport.cc.com/videos/d21szi/the--battle-hymn-of-the-tiger-mother--controversy", "http://thecolbertreport.cc.com/videos/5198pt/threatdown---radical-muslim-snacks--flying-robot-drones---coked-up-vacuums", "http://thecolbertreport.cc.com/videos/ooebba/nazi-ometer", "http://thecolbertreport.cc.com/videos/2lr90o/amy-chua", "http://thecolbertreport.cc.com/videos/71c1bx/sign-off---stephen-welcomes-cody-price" ], "guest": "Amy Chua" }, { "date": "2011-01-26", "videos": [ "http://thecolbertreport.cc.com/videos/99necf/anonymous-insider-author-speculation", "http://thecolbertreport.cc.com/videos/d2sy94/obama-s-state-of-the-union-address---michael-waldman", "http://thecolbertreport.cc.com/videos/za0351/mr--smith-goes-to-the-state-legislature--then-later-possibly-washington---curtis-oda", "http://thecolbertreport.cc.com/videos/wja66h/christine-yvette-lewis", "http://thecolbertreport.cc.com/videos/7znx6n/sign-off---man-handler---fork-phone" ], "guest": "Michael Waldman, Christine Yvette Lewis" }, { "date": "2011-01-27", "videos": [ "http://thecolbertreport.cc.com/videos/fllqqg/intro---1-27-11", "http://thecolbertreport.cc.com/videos/959fok/candyquake", "http://thecolbertreport.cc.com/videos/bhf8jv/time-traveling-porn---daryl-bem", "http://thecolbertreport.cc.com/videos/uffqf8/gordita-supreme-court", "http://thecolbertreport.cc.com/videos/zgxlja/brian-greene", "http://thecolbertreport.cc.com/videos/nkbrns/sign-off---goodnight" ], "guest": "Dr. Daryl Bem, Brian Greene" }, { "date": "2011-01-31", "videos": [ "http://thecolbertreport.cc.com/videos/2wwddt/intro---1-31-11", "http://thecolbertreport.cc.com/videos/uv1y3k/mubarak--mu-problems", "http://thecolbertreport.cc.com/videos/w70tw3/mubarak--mu-problems---samer-shehata", "http://thecolbertreport.cc.com/videos/35ink0/paul-offit", "http://thecolbertreport.cc.com/videos/ccilnn/sign-off---kim-jong-bear" ], "guest": "Samer Shehata, Dr. Paul Offit" }, { "date": "2011-02-01", "videos": [ "http://thecolbertreport.cc.com/videos/wk9d57/hosni-mubarak-will-not-run-again", "http://thecolbertreport.cc.com/videos/ie8q6j/thought-for-food---nestle-corporation", "http://thecolbertreport.cc.com/videos/2ucxw7/thought-for-food---wyngz---wal-mart", "http://thecolbertreport.cc.com/videos/odeko3/wal-mart-collaborates-with-obama-administration---leslie-dach", "http://thecolbertreport.cc.com/videos/4shxg7/michael-lewis", "http://thecolbertreport.cc.com/videos/s7oggh/sign-off---digiorno-pizza---boneless-wyngz" ], "guest": "Leslie Dach, Michael Lewis" }, { "date": "2011-02-02", "videos": [ "http://thecolbertreport.cc.com/videos/zdhdko/intro---2-2-11", "http://thecolbertreport.cc.com/videos/ct2jwf/bing-gets-served", "http://thecolbertreport.cc.com/videos/a4bw27/cairo-turns-into-the-jersey-shore", "http://thecolbertreport.cc.com/videos/q27618/crisis-in-egypt", "http://thecolbertreport.cc.com/videos/yjimo0/tip-wag---british-superman---big-flats-beer", "http://thecolbertreport.cc.com/videos/dme3nu/sean-dorrance-kelly", "http://thecolbertreport.cc.com/videos/n2upjg/sign-off---christiane-aman-purr---big-flats-beer" ], "guest": "Sean Kelly" }, { "date": "2011-02-03", "videos": [ "http://thecolbertreport.cc.com/videos/nn8o94/intro---2-3-11", "http://thecolbertreport.cc.com/videos/lo20rh/crisis-in-egypt---anderson-cooper---bill-o-reilly", "http://thecolbertreport.cc.com/videos/vuogyk/sport-report---super-bowl-edition", "http://thecolbertreport.cc.com/videos/91t3tp/affirmative-reaction", "http://thecolbertreport.cc.com/videos/i5rwqs/jane-mcgonigal", "http://thecolbertreport.cc.com/videos/hffd6m/sign-off---newest-member-of-the-colbert-nation" ], "guest": "Jane McGonigal" }, { "date": "2011-02-14", "videos": [ "http://thecolbertreport.cc.com/videos/kruhy0/intro---2-14-11", "http://thecolbertreport.cc.com/videos/4drnjr/mysteries-of-the-ancient-unknown---egyptian-coincidence", "http://thecolbertreport.cc.com/videos/gv0hvh/the-enemy-within---toddler-edition", "http://thecolbertreport.cc.com/videos/qtecuk/james-murphy-of-lcd-soundsystem", "http://thecolbertreport.cc.com/videos/4qawhf/sign-off---scoops-of-americone-dream" ], "guest": "LCD Soundsystem" }, { "date": "2011-02-15", "videos": [ "http://thecolbertreport.cc.com/videos/ynf8rd/intro---2-15-11", "http://thecolbertreport.cc.com/videos/sjuyr9/italian-bunga-bunga-parties---egyptian-democracy", "http://thecolbertreport.cc.com/videos/ara6q6/egyptian-democracy---christiane-amanpour", "http://thecolbertreport.cc.com/videos/n9a7wj/mr--smith-goes-to-the-state-legislature--then-later-possibly-washington---ron-gould", "http://thecolbertreport.cc.com/videos/uobmig/david-albright", "http://thecolbertreport.cc.com/videos/95itm9/sign-off---christiane-aman-purr-s-safari-suit" ], "guest": "Christiane Amanpour, David Albright" }, { "date": "2011-02-16", "videos": [ "http://thecolbertreport.cc.com/videos/bbqm6g/intro---2-16-11", "http://thecolbertreport.cc.com/videos/bojft9/republican-voters-doubt-obama-s-american-citizenship", "http://thecolbertreport.cc.com/videos/uk8a3q/tip-wag---colbuffington-re-post--repo-games---whale-fail", "http://thecolbertreport.cc.com/videos/8r9j45/murdoch-he-wrote", "http://thecolbertreport.cc.com/videos/re8ih2/eric-foner", "http://thecolbertreport.cc.com/videos/i84xxd/sign-off---general-butterbean" ], "guest": "Eric Foner" }, { "date": "2011-02-17", "videos": [ "http://thecolbertreport.cc.com/videos/62enfw/the-huffington-post-posts-about-the-colbuffington-re-post", "http://thecolbertreport.cc.com/videos/yjsn8n/clarence-thomas-s-financial-disclosure-controversy", "http://thecolbertreport.cc.com/videos/tvwda6/project-magazine-cover-boy", "http://thecolbertreport.cc.com/videos/sjlg3t/jeffrey-leonard", "http://thecolbertreport.cc.com/videos/m0qkxm/sign-off---project-magazine-cover" ], "guest": "Jeffrey Leonard" }, { "date": "2011-02-21", "videos": [ "http://thecolbertreport.cc.com/videos/86hqgf/turmoil-in-the-middle-east---turmoil-in-the-middle-west", "http://thecolbertreport.cc.com/videos/lp0v0e/cheating-death---ablibalify---bing-bongavax", "http://thecolbertreport.cc.com/videos/fwkicl/rick-santorum-internet-search", "http://thecolbertreport.cc.com/videos/8du0y6/eugene-jarecki", "http://thecolbertreport.cc.com/videos/58iq33/sign-off---goodnight" ], "guest": "Eugene Jarecki" }, { "date": "2011-02-22", "videos": [ "http://thecolbertreport.cc.com/videos/bqnw4a/intro---2-22-11", "http://thecolbertreport.cc.com/videos/bm2a1j/a-less-perfect-union", "http://thecolbertreport.cc.com/videos/usnwve/a-less-perfect-union---randi-weingarten", "http://thecolbertreport.cc.com/videos/f6avpd/wisco-inferno---jon-erpenbach", "http://thecolbertreport.cc.com/videos/p92sec/bing-west", "http://thecolbertreport.cc.com/videos/2kp9tj/sign-off---democrat-call" ], "guest": "Randi Weingarten, Bing West" }, { "date": "2011-02-23", "videos": [ "http://thecolbertreport.cc.com/videos/pd1kio/intro---2-23-11", "http://thecolbertreport.cc.com/videos/883h13/usa-today-infographic-sells-out", "http://thecolbertreport.cc.com/videos/fn2n7y/bust-in-show", "http://thecolbertreport.cc.com/videos/tnaq8e/nailed--em---mark-burdett", "http://thecolbertreport.cc.com/videos/iap6wk/stephanie-coontz", "http://thecolbertreport.cc.com/videos/uyxtz0/sign-off---rebroadcasts" ], "guest": "Stephanie Coontz" }, { "date": "2011-02-24", "videos": [ "http://thecolbertreport.cc.com/videos/7a9kp1/era-of-american-dental-exceptionalism-is-over", "http://thecolbertreport.cc.com/videos/xjtazd/corporate-hacker-tries-to-take-down-wikileaks", "http://thecolbertreport.cc.com/videos/8jruu4/corporate-hacker-tries-to-take-down-wikileaks---glenn-greenwald", "http://thecolbertreport.cc.com/videos/tyiacl/republicans-flirt-with-presidential-candidacy", "http://thecolbertreport.cc.com/videos/hxtqey/mike-huckabee", "http://thecolbertreport.cc.com/videos/6ahql2/sign-off---elephant-beat" ], "guest": "Glenn Greenwald, Mike Huckabee" }, { "date": "2011-02-28", "videos": [ "http://thecolbertreport.cc.com/videos/8jxxuv/intro---2-28-11", "http://thecolbertreport.cc.com/videos/8fpe6c/anonymous-hacks-the-colbert-report", "http://thecolbertreport.cc.com/videos/ohhby5/tip-wag---joe-reed---levi-s-ex-girlfriend-jeans", "http://thecolbertreport.cc.com/videos/lrah7j/art-stephen-up-challenge---phillips-de-pury-auction", "http://thecolbertreport.cc.com/videos/4oq5za/michael-scheuer", "http://thecolbertreport.cc.com/videos/qg45nm/sign-off---tomorrow-s-goodnight-preview" ], "guest": "Michael Scheuer" }, { "date": "2011-03-01", "videos": [ "http://thecolbertreport.cc.com/videos/dbc523/intro---3-1-11", "http://thecolbertreport.cc.com/videos/hl74h7/muammar-al-gaddafi-competes-with-charlie-sheen", "http://thecolbertreport.cc.com/videos/ce6ez1/the-word---new-country-for-old-men", "http://thecolbertreport.cc.com/videos/6zdcls/senior-moment---geriatric-porn", "http://thecolbertreport.cc.com/videos/zxzpiz/evan-osnos", "http://thecolbertreport.cc.com/videos/b6gm2j/sign-off---welcome-zachary-paul-dahm" ], "guest": "Evan Osnos" }, { "date": "2011-03-02", "videos": [ "http://thecolbertreport.cc.com/videos/44fqvj/intro---3-2-11", "http://thecolbertreport.cc.com/videos/jh2tli/wisconsin-prank-call-bill", "http://thecolbertreport.cc.com/videos/i9x3xr/the-word---economic-boom", "http://thecolbertreport.cc.com/videos/uz0ktw/eulogy-spot", "http://thecolbertreport.cc.com/videos/7lrvtf/harry-connick-jr-", "http://thecolbertreport.cc.com/videos/ninj2e/sign-off---demise-of-the-white-pages" ], "guest": "Harry Connick Jr." }, { "date": "2011-03-03", "videos": [ "http://thecolbertreport.cc.com/videos/nb3zpi/fox-news-suspends-contributors", "http://thecolbertreport.cc.com/videos/7vwzpc/ice-cream-fight-with-jimmy-fallon", "http://thecolbertreport.cc.com/videos/4oi0dh/ice-cream-hallucination-with-jimmy-fallon", "http://thecolbertreport.cc.com/videos/zxu7kb/mark-moffett", "http://thecolbertreport.cc.com/videos/2x8ter/sign-off---late-night-snack" ], "guest": "Mark W. Moffett" }, { "date": "2011-03-07", "videos": [ "http://thecolbertreport.cc.com/videos/432mwn/intro---3-7-11", "http://thecolbertreport.cc.com/videos/dmu7rh/stephen-wants-an-ipad-2", "http://thecolbertreport.cc.com/videos/zql2lp/on-notice---mike-huckabee", "http://thecolbertreport.cc.com/videos/mrhaui/america-s-next-gop-model", "http://thecolbertreport.cc.com/videos/ux0w7b/joshua-foer", "http://thecolbertreport.cc.com/videos/un3kdu/art-stephen-up-challenge---bid-on-stephen-s-portrait" ], "guest": "Joshua Foer" }, { "date": "2011-03-08", "videos": [ "http://thecolbertreport.cc.com/videos/2s9pic/happy-mardi-gras---international-women-s-day", "http://thecolbertreport.cc.com/videos/29cv4a/light-bulb-ban", "http://thecolbertreport.cc.com/videos/yuo5to/light-bulb-ban---dale-bryk", "http://thecolbertreport.cc.com/videos/2nv2ie/charlie-sheen---fake-rahm-emanuel-on-twitter", "http://thecolbertreport.cc.com/videos/dqh7vp/dan-sinker", "http://thecolbertreport.cc.com/videos/wjd0wx/sign-off---welcome-zoe-simone-sanchez" ], "guest": "Dan Sinker" }, { "date": "2011-03-09", "videos": [ "http://thecolbertreport.cc.com/videos/oivxm4/intro---3-9-11", "http://thecolbertreport.cc.com/videos/durtx6/stephen-gives-up-catholicism-for-lent", "http://thecolbertreport.cc.com/videos/c3zm6w/bench-press", "http://thecolbertreport.cc.com/videos/qi1r7y/bench-press---anthony-weiner", "http://thecolbertreport.cc.com/videos/mbmsxi/david-brooks", "http://thecolbertreport.cc.com/videos/bh348l/sign-off---jewish-stephen" ], "guest": "David Brooks" }, { "date": "2011-03-10", "videos": [ "http://thecolbertreport.cc.com/videos/au4itm/intro---3-10-11", "http://thecolbertreport.cc.com/videos/w8nzdj/newt-gingrich-wants-to-screw-america", "http://thecolbertreport.cc.com/videos/hagj8b/colbert-pac-ad", "http://thecolbertreport.cc.com/videos/k698u1/peter-king-understands-violent-radicalism", "http://thecolbertreport.cc.com/videos/84jg83/reza-aslan", "http://thecolbertreport.cc.com/videos/x9iaae/sign-off---enjoy-the-moment" ], "guest": "Reza Aslan" }, { "date": "2011-03-21", "videos": [ "http://thecolbertreport.cc.com/videos/tkzzdn/intro---3-21-11", "http://thecolbertreport.cc.com/videos/btot11/crisis-in-the-middle-everywhere---japan---libya", "http://thecolbertreport.cc.com/videos/kvj8rv/raging-art-on---art-1", "http://thecolbertreport.cc.com/videos/9m4lpg/sign-off---dueling-banjos" ], "guest": "Steve Martin and the Steep Canyon Rangers" }, { "date": "2011-03-22", "videos": [ "http://thecolbertreport.cc.com/videos/67fxmc/intro---3-22-11", "http://thecolbertreport.cc.com/videos/4k1vs5/californians-respond-to-japanese-disaster", "http://thecolbertreport.cc.com/videos/tadiop/raging-art-on---art-2", "http://thecolbertreport.cc.com/videos/7fv2d8/crisis-in-the-middle-everywhere---cnn-and-fox-news-fight-in-libya", "http://thecolbertreport.cc.com/videos/iky4d9/ayman-mohyeldin", "http://thecolbertreport.cc.com/videos/f8fwxt/sign-off---goodnight" ], "guest": "Ayman Mohyeldin" }, { "date": "2011-03-23", "videos": [ "http://thecolbertreport.cc.com/videos/m2qxvd/top-news-stories-all-at-once", "http://thecolbertreport.cc.com/videos/3rhe0w/raging-art-on---art-3", "http://thecolbertreport.cc.com/videos/3ccbj2/the-word---over-reactor", "http://thecolbertreport.cc.com/videos/wd1pjd/nathan-myhrvold", "http://thecolbertreport.cc.com/videos/l5f2yi/sign-off---pistachio-ice-cream" ], "guest": "Nathan Myhrvold" }, { "date": "2011-03-24", "videos": [ "http://thecolbertreport.cc.com/videos/awwa6r/intro---3-24-11", "http://thecolbertreport.cc.com/videos/o0idw2/bears---balls---misery-edition", "http://thecolbertreport.cc.com/videos/pst3ox/eat--pray-to-eat---laurie-garrett", "http://thecolbertreport.cc.com/videos/strtop/channeled-rage", "http://thecolbertreport.cc.com/videos/rfce7l/jody-williams", "http://thecolbertreport.cc.com/videos/3z7nhm/sign-off---john-oliver-s-new-york-stand-up-show" ], "guest": "Jody Williams" }, { "date": "2011-03-28", "videos": [ "http://thecolbertreport.cc.com/videos/2u3wdk/intro---3-28-11", "http://thecolbertreport.cc.com/videos/vou6it/shout-out-to-cece-lederer", "http://thecolbertreport.cc.com/videos/xeu06g/chaos-in-chaonada", "http://thecolbertreport.cc.com/videos/s3xgtv/tip-wag---cigarette-tax--abortion-waiting-period---bargain-travelers", "http://thecolbertreport.cc.com/videos/c06ht5/maine-squeeze", "http://thecolbertreport.cc.com/videos/2p412b/michael-moore", "http://thecolbertreport.cc.com/videos/lplrhl/sign-off---movits--streams--out-of-my-head-" ], "guest": "Michael Moore" }, { "date": "2011-03-29", "videos": [ "http://thecolbertreport.cc.com/videos/xysvku/intro---3-29-11", "http://thecolbertreport.cc.com/videos/wtajtw/turd-sandwich-in-libya", "http://thecolbertreport.cc.com/videos/fkwv1e/yahweh-or-no-way---christianity-is-fattening", "http://thecolbertreport.cc.com/videos/oa9b4m/stephen-s-next-religion---stephen-prothero", "http://thecolbertreport.cc.com/videos/730dpm/jimmy-fallon-promises-a-performance-by-stephen", "http://thecolbertreport.cc.com/videos/7m3guo/anthony-fauci", "http://thecolbertreport.cc.com/videos/ms1yr8/sign-off---do-not-help-jimmy-fallon" ], "guest": "Dr. Anthony Fauci" }, { "date": "2011-03-30", "videos": [ "http://thecolbertreport.cc.com/videos/6nwkpk/exclusive---reporter-gets-nailed-by-san-francisco-cop", "http://thecolbertreport.cc.com/videos/xysvku/intro---3-29-11", "http://thecolbertreport.cc.com/videos/wtajtw/turd-sandwich-in-libya", "http://thecolbertreport.cc.com/videos/fkwv1e/yahweh-or-no-way---christianity-is-fattening", "http://thecolbertreport.cc.com/videos/oa9b4m/stephen-s-next-religion---stephen-prothero", "http://thecolbertreport.cc.com/videos/730dpm/jimmy-fallon-promises-a-performance-by-stephen", "http://thecolbertreport.cc.com/videos/7m3guo/anthony-fauci", "http://thecolbertreport.cc.com/videos/ms1yr8/sign-off---do-not-help-jimmy-fallon" ], "guest": "Tim Shriver" }, { "date": "2011-03-30", "videos": [ "http://thecolbertreport.cc.com/videos/zxtidm/james-o-keefe-asks-for-donations", "http://thecolbertreport.cc.com/videos/8stgre/colbert-pac", "http://thecolbertreport.cc.com/videos/dtl1ew/colbert-pac---trevor-potter", "http://thecolbertreport.cc.com/videos/i3lpcq/stephen-practices-rebecca-black-s--friday-", "http://thecolbertreport.cc.com/videos/wug1p5/tim-shriver", "http://thecolbertreport.cc.com/videos/dwx5m0/sign-off---goodnight" ], "guest": "Tim Shriver" }, { "date": "2011-03-31", "videos": [ "http://thecolbertreport.cc.com/videos/a6ko78/intro---3-31-11", "http://thecolbertreport.cc.com/videos/oth30j/congressional-budget-menorah", "http://thecolbertreport.cc.com/videos/j56fvd/madison-as-hell", "http://thecolbertreport.cc.com/videos/o6su04/piers-gibbon", "http://thecolbertreport.cc.com/videos/gq7wfn/sign-off---congressional-budget-menorah-fire" ], "guest": "Piers Gibbon" }, { "date": "2011-04-04", "videos": [ "http://thecolbertreport.cc.com/videos/nknyci/government-shutdown-menorah", "http://thecolbertreport.cc.com/videos/8fsxhp/stephen-shows-off-the-ipad-2", "http://thecolbertreport.cc.com/videos/953smc/the-word---that-new-smell-smell", "http://thecolbertreport.cc.com/videos/zr09m5/the-glennpocalypse", "http://thecolbertreport.cc.com/videos/j7j5ds/andrew-chaikin", "http://thecolbertreport.cc.com/videos/9h7n61/sign-off---inescapables" ], "guest": "Andrew Chaikin" }, { "date": "2011-04-05", "videos": [ "http://thecolbertreport.cc.com/videos/x139me/tim-pawlenty-appeals-to-youth-vote", "http://thecolbertreport.cc.com/videos/dq1pyh/renaissance-nemesis---frank-jameso", "http://thecolbertreport.cc.com/videos/zw8gjf/james-franco-pt--1", "http://thecolbertreport.cc.com/videos/91jml7/james-franco-pt--2", "http://thecolbertreport.cc.com/videos/upimil/sign-off---frank-jameso" ], "guest": "James Franco" }, { "date": "2011-04-06", "videos": [ "http://thecolbertreport.cc.com/videos/1fi1u8/wisconsin-supreme-court-race", "http://thecolbertreport.cc.com/videos/vu85n8/my-fair-colbert---hugo-vickers-pt--1", "http://thecolbertreport.cc.com/videos/53yz6p/wd-40-1", "http://thecolbertreport.cc.com/videos/q5s3lh/sir-david-tang", "http://thecolbertreport.cc.com/videos/oqhpiw/sign-off---wd-40-1-cleaner" ], "guest": "Sir David Tang" }, { "date": "2011-04-07", "videos": [ "http://thecolbertreport.cc.com/videos/x9mvny/exclusive---my-fair-colbert---charming-prince-philip", "http://thecolbertreport.cc.com/videos/ruv6gp/exclusive---my-fair-colbert---ghost-of-an-irishman", "http://thecolbertreport.cc.com/videos/k0xu9f/intro---4-7-11", "http://thecolbertreport.cc.com/videos/a3oo5c/the-koran-s-best-day-ever", "http://thecolbertreport.cc.com/videos/uepxed/my-fair-colbert---hugo-vickers-pt--2", "http://thecolbertreport.cc.com/videos/4zz0jd/my-fair-colbert---hugo-vickers-pt--3", "http://thecolbertreport.cc.com/videos/hv2afg/jeff-greenfield", "http://thecolbertreport.cc.com/videos/b9aslx/sign-off---goodnight" ], "guest": "Jeff Greenfield" }, { "date": "2011-04-11", "videos": [ "http://thecolbertreport.cc.com/videos/5p5wwd/countdown-to-government-shutdown", "http://thecolbertreport.cc.com/videos/wueypc/pap-smears-at-walgreens", "http://thecolbertreport.cc.com/videos/5o6455/thought-for-food---chocolate-air--denny-s---bacon-cologne", "http://thecolbertreport.cc.com/videos/5ej465/jamie-hyneman---adam-savage", "http://thecolbertreport.cc.com/videos/sse1uc/sign-off---champagne-flute-of-lead-paint" ], "guest": "Jamie Hyneman &amp; Adam Savage" }, { "date": "2011-04-12", "videos": [ "http://thecolbertreport.cc.com/videos/hvb9sp/intro---4-12-11", "http://thecolbertreport.cc.com/videos/ez4az7/jon-kyl-tweets-not-intended-to-be-factual-statements", "http://thecolbertreport.cc.com/videos/xcin15/mitt-happens", "http://thecolbertreport.cc.com/videos/l039ce/mitt-happens---rick-brookhiser", "http://thecolbertreport.cc.com/videos/pqpkrr/threat-level--rainbow", "http://thecolbertreport.cc.com/videos/2gpjkk/ray-kurzweil", "http://thecolbertreport.cc.com/videos/ry2cgl/sign-off---goodnight" ], "guest": "Ray Kurzweil" }, { "date": "2011-04-13", "videos": [ "http://thecolbertreport.cc.com/videos/tjsqfs/tim-pawlenty-declares-candidacy-before-he-s-ready", "http://thecolbertreport.cc.com/videos/ha4gop/the-word---buy-and-cellulite", "http://thecolbertreport.cc.com/videos/jc9fbz/the-enemy-within---unicyclists", "http://thecolbertreport.cc.com/videos/nm38xu/morgan-spurlock", "http://thecolbertreport.cc.com/videos/l1ikyh/sign-off---doritos-suit" ], "guest": "Morgan Spurlock" }, { "date": "2011-04-14", "videos": [ "http://thecolbertreport.cc.com/videos/fziyvf/obama-needs-charts-and-graphs", "http://thecolbertreport.cc.com/videos/pfzzi1/viacom-ruins-stephen-s-pac-dream", "http://thecolbertreport.cc.com/videos/yzb7q2/colbert-super-pac---trevor-potter", "http://thecolbertreport.cc.com/videos/k099cq/easter-under-attack---egg-edition", "http://thecolbertreport.cc.com/videos/iybrlk/caroline-kennedy", "http://thecolbertreport.cc.com/videos/rjwyn0/sign-off---ipad" ], "guest": "Caroline Kennedy" }, { "date": "2011-04-25", "videos": [ "http://thecolbertreport.cc.com/videos/00rg0h/catholic-bender", "http://thecolbertreport.cc.com/videos/tml3zz/obama-s-tax-return---road-to-the-trump-house", "http://thecolbertreport.cc.com/videos/e943tp/cheating-death---vaxa-international--lap-band-surgery---restless-leg-syndrome", "http://thecolbertreport.cc.com/videos/nxhrou/ron-paul", "http://thecolbertreport.cc.com/videos/8813vl/sign-off---vacsa-not-masturbating" ], "guest": "Rep. Ron Paul" }, { "date": "2011-04-26", "videos": [ "http://thecolbertreport.cc.com/videos/hl20qf/intro---4-26-11", "http://thecolbertreport.cc.com/videos/zv4zje/mitt-romney-s--peacetime--gaffe", "http://thecolbertreport.cc.com/videos/rmltni/charles-manson-believes-in-global-warming", "http://thecolbertreport.cc.com/videos/i3gdyb/a-c--grayling", "http://thecolbertreport.cc.com/videos/qxdqyc/sign-off---taser" ], "guest": "A.C. Grayling" }, { "date": "2011-04-27", "videos": [ "http://thecolbertreport.cc.com/videos/d9mieg/intro---4-27-11", "http://thecolbertreport.cc.com/videos/cnt2qq/america-needs-to-see-obama-s-report-cards", "http://thecolbertreport.cc.com/videos/vog079/tip-wag---faa--casio-watches---postal-service", "http://thecolbertreport.cc.com/videos/qu6i2l/anderson-cooper-goes-on-the-absurd-u-chart", "http://thecolbertreport.cc.com/videos/okt7ac/ice-t", "http://thecolbertreport.cc.com/videos/bi5bau/sign-off---goodnight-in-spanish" ], "guest": "Ice-T" }, { "date": "2011-04-28", "videos": [ "http://thecolbertreport.cc.com/videos/xcnvxf/intro---4-28-11", "http://thecolbertreport.cc.com/videos/6ei496/stephen-waits-for-his-royal-wedding-invitation-in-london", "http://thecolbertreport.cc.com/videos/8ureil/progressives-united---russ-feingold", "http://thecolbertreport.cc.com/videos/dfmioz/homeland-security-eliminates-color-coded-terror-alert-system", "http://thecolbertreport.cc.com/videos/r7zj9a/wade-graham", "http://thecolbertreport.cc.com/videos/tsom8o/sign-off---off-to-the-royal-wedding" ], "guest": "Wade Graham" }, { "date": "2011-05-02", "videos": [ "http://thecolbertreport.cc.com/videos/792my5/intro---5-2-11", "http://thecolbertreport.cc.com/videos/6kw3l1/long-awaited--we-got-bin-laden--party", "http://thecolbertreport.cc.com/videos/501cxj/carefree-pre-9-11-world", "http://thecolbertreport.cc.com/videos/w147rj/relations-with-pakistan---richard-haass", "http://thecolbertreport.cc.com/videos/x03tm5/francis-fukuyama", "http://thecolbertreport.cc.com/videos/s3o1z2/sign-off---obama-s-timer-runs-out" ], "guest": "Francis Fukuyama" }, { "date": "2011-05-03", "videos": [ "http://thecolbertreport.cc.com/videos/v58m27/intro---5-3-11", "http://thecolbertreport.cc.com/videos/h9f07a/osama-bin-laden-is-still-dead", "http://thecolbertreport.cc.com/videos/5n9zp7/obama-takes-credit-for-bin-laden-s-assassination", "http://thecolbertreport.cc.com/videos/h1wdo9/journalistic-grintegrity", "http://thecolbertreport.cc.com/videos/u2r1n6/rex-ryan", "http://thecolbertreport.cc.com/videos/ukrfvl/sign-off---special-kiss" ], "guest": "Rex Ryan" }, { "date": "2011-05-04", "videos": [ "http://thecolbertreport.cc.com/videos/edkk4q/intro---5-4-11", "http://thecolbertreport.cc.com/videos/ndiuxr/terrorists--they-re-just-like-us-", "http://thecolbertreport.cc.com/videos/kbkvj6/stephen-searches-for-shared-bathroom-key", "http://thecolbertreport.cc.com/videos/kt1w5q/movies-that-are-destroying-america---saving-america-edition", "http://thecolbertreport.cc.com/videos/50b5cb/amy-farrell", "http://thecolbertreport.cc.com/videos/jcmie8/sign-off---goodnight" ], "guest": "Amy Farrell" }, { "date": "2011-05-05", "videos": [ "http://thecolbertreport.cc.com/videos/lbrn85/stephen-confesses-to-a-distracted-media", "http://thecolbertreport.cc.com/videos/avpz0y/threatdown---superman--madden-nfl-12----glee-", "http://thecolbertreport.cc.com/videos/g2bhyr/inaugural-republican-presidential-debate---donald-trump-s-wisdom", "http://thecolbertreport.cc.com/videos/4neb1g/bill-james", "http://thecolbertreport.cc.com/videos/k2or8w/sign-off---dennis-kucinich-heat-vision" ], "guest": "Bill James" }, { "date": "2011-05-09", "videos": [ "http://thecolbertreport.cc.com/videos/dkbe7y/intro---5-9-11", "http://thecolbertreport.cc.com/videos/6rdbxz/hasidic-newspaper-removes-hillary-clinton", "http://thecolbertreport.cc.com/videos/mqyr6k/herman-cain-wins-the-first-republican-presidential-debate", "http://thecolbertreport.cc.com/videos/38grqn/the-word---autocratic-for-the-people", "http://thecolbertreport.cc.com/videos/d8bi6b/lupe-fiasco", "http://thecolbertreport.cc.com/videos/vonv0r/sign-off---lupe-fiasco-s--lasers-" ], "guest": "Lupe Fiasco" }, { "date": "2011-05-10", "videos": [ "http://thecolbertreport.cc.com/videos/r02fac/newt-gingrich---donald-trump-announce-future-announcements", "http://thecolbertreport.cc.com/videos/w3lgcs/yahweh-or-no-way---thor---apocalypse-billboard", "http://thecolbertreport.cc.com/videos/zu0ju2/difference-makers---donald-trump", "http://thecolbertreport.cc.com/videos/i4gyok/geoffrey-rush", "http://thecolbertreport.cc.com/videos/wmfolw/sign-off---a-rare-correction" ], "guest": "Geoffrey Rush" }, { "date": "2011-05-11", "videos": [ "http://thecolbertreport.cc.com/videos/g0js2x/intro---5-11-11", "http://thecolbertreport.cc.com/videos/txo75b/herman-cain-claims-the-colbert-bump", "http://thecolbertreport.cc.com/videos/1ssaiz/corp-constituency", "http://thecolbertreport.cc.com/videos/nfv0i1/corp-constituency---trevor-potter", "http://thecolbertreport.cc.com/videos/rqvi06/award-to-the-wise", "http://thecolbertreport.cc.com/videos/sjt27k/eric-greitens", "http://thecolbertreport.cc.com/videos/q3siyv/sign-off---press-hat" ], "guest": "Eric Greitens" }, { "date": "2011-05-12", "videos": [ "http://thecolbertreport.cc.com/videos/mp7mrs/intro---5-12-11", "http://thecolbertreport.cc.com/videos/zz94qv/obama-s-latino-panderfest", "http://thecolbertreport.cc.com/videos/vkp4tr/terror--a-new-one", "http://thecolbertreport.cc.com/videos/9o0mt6/terror--a-new-one---lawrence-wright", "http://thecolbertreport.cc.com/videos/dqvz13/if-at-first-you-don-t-secede", "http://thecolbertreport.cc.com/videos/yx5grt/john-bradshaw", "http://thecolbertreport.cc.com/videos/sw8fy6/sign-off---stephen-s-super-pac-needs-support" ], "guest": "John Bradshaw" }, { "date": "2011-05-16", "videos": [ "http://thecolbertreport.cc.com/videos/9xaxr4/mike-huckabee---donald-trump-drop-out", "http://thecolbertreport.cc.com/videos/duon08/fig-newton-gingrich-2012", "http://thecolbertreport.cc.com/videos/epwg6t/stephen-files-super-pac-request", "http://thecolbertreport.cc.com/videos/g3ep11/alison-klayman", "http://thecolbertreport.cc.com/videos/4r7evh/sign-off---goodnight" ], "guest": "Alison Klayman" }, { "date": "2011-05-17", "videos": [ "http://thecolbertreport.cc.com/videos/ip5tv7/intro---5-17-11", "http://thecolbertreport.cc.com/videos/1ugsri/world-s-oldest-panda-dies", "http://thecolbertreport.cc.com/videos/l4p5dq/the-word---enhanced-rejustification", "http://thecolbertreport.cc.com/videos/pg06l0/arnold-schwarzenegger-s-sex-scandal", "http://thecolbertreport.cc.com/videos/58filp/amy-kremer", "http://thecolbertreport.cc.com/videos/no1rv9/sign-off---goodnight" ], "guest": "Amy Kremer" }, { "date": "2011-05-18", "videos": [ "http://thecolbertreport.cc.com/videos/faf2no/exclusive---austan-goolsbee-extended-interview-pt--1", "http://thecolbertreport.cc.com/videos/6pf58s/exclusive---austan-goolsbee-extended-interview-pt--2", "http://thecolbertreport.cc.com/videos/bdi4g4/exclusive---austan-goolsbee-extended-interview-pt--3", "http://thecolbertreport.cc.com/videos/6khcvr/intro---5-18-11", "http://thecolbertreport.cc.com/videos/55ye8a/osama-bin-laden-s-replacement", "http://thecolbertreport.cc.com/videos/tohq6g/tip-wag---ohio-legislature---facebook", "http://thecolbertreport.cc.com/videos/2cxcrh/breaking-newt", "http://thecolbertreport.cc.com/videos/vvu071/austan-goolsbee", "http://thecolbertreport.cc.com/videos/sklv51/sign-off---long-austan-goolsbee-interview" ], "guest": "Austan Goolsbee" }, { "date": "2011-05-19", "videos": [ "http://thecolbertreport.cc.com/videos/7qmvog/john-lithgow-performs-gingrich-press-release", "http://thecolbertreport.cc.com/videos/pb82sf/better-know-a-district---illinois--18th---aaron-schock-update", "http://thecolbertreport.cc.com/videos/3gd1zf/clergy-matic-ecclesi-action-center-3-16", "http://thecolbertreport.cc.com/videos/5ec3r8/kareem-abdul-jabbar", "http://thecolbertreport.cc.com/videos/p12tcc/sign-off---history-of-life-on-earth" ], "guest": "Kareem Abdul-Jabbar" }, { "date": "2011-05-31", "videos": [ "http://thecolbertreport.cc.com/videos/gn9ut5/intro---5-31-11", "http://thecolbertreport.cc.com/videos/xxn340/charleston-to-bermuda-yacht-race", "http://thecolbertreport.cc.com/videos/fgthom/sarah-palin-s-bus-tour", "http://thecolbertreport.cc.com/videos/bmwaxh/fec-questions---trevor-potter", "http://thecolbertreport.cc.com/videos/7bl2ga/invisible-judgment", "http://thecolbertreport.cc.com/videos/ox3on4/james-stewart", "http://thecolbertreport.cc.com/videos/vn091b/sign-off---goodnight" ], "guest": "James B. Stewart" }, { "date": "2011-06-01", "videos": [ "http://thecolbertreport.cc.com/videos/nos79v/intro---6-1-11", "http://thecolbertreport.cc.com/videos/mqb30h/sarah-palin-visits-the-times-square-applebee-s", "http://thecolbertreport.cc.com/videos/ul70kx/meat-tweet", "http://thecolbertreport.cc.com/videos/jph6sv/harmful-cell-phones", "http://thecolbertreport.cc.com/videos/beqc1p/who-s-riding-my-coattails-now----jimmy-fallon", "http://thecolbertreport.cc.com/videos/5a4ke7/robert-f--kennedy-jr-", "http://thecolbertreport.cc.com/videos/3enqpr/sign-off---iphone" ], "guest": "Robert Kennedy Jr." }, { "date": "2011-06-02", "videos": [ "http://thecolbertreport.cc.com/videos/7o4l3r/intro---6-2-11", "http://thecolbertreport.cc.com/videos/rqi6dy/dancing-on-the-ceiling", "http://thecolbertreport.cc.com/videos/1db84y/anthony-weiner-addresses-twitter-scandal", "http://thecolbertreport.cc.com/videos/qhexu1/tip-wag---osama-bin-laden---hugh-hefner", "http://thecolbertreport.cc.com/videos/8t7m7k/salman-khan", "http://thecolbertreport.cc.com/videos/rqa2ar/sign-off---goodnight" ], "guest": "Salman Khan" }, { "date": "2011-06-06", "videos": [ "http://thecolbertreport.cc.com/videos/bwqzbu/anthony-weiner-s-emergency-press-conference", "http://thecolbertreport.cc.com/videos/uvi91o/paul-revere-s-famous-ride", "http://thecolbertreport.cc.com/videos/x424g2/stephen-s-twitter-scandal", "http://thecolbertreport.cc.com/videos/qyadrw/obama-administration-replaces-food-pyramid", "http://thecolbertreport.cc.com/videos/fdolcv/werner-herzog", "http://thecolbertreport.cc.com/videos/ed6qec/stephen-s-midnight-ride" ], "guest": "Werner Herzog" }, { "date": "2011-06-07", "videos": [ "http://thecolbertreport.cc.com/videos/suzxde/scott-pelley-s-first-cbs-broadcast", "http://thecolbertreport.cc.com/videos/1w9fvc/the-word---hear-no-evil", "http://thecolbertreport.cc.com/videos/fvvawg/sugar-ray-leonard", "http://thecolbertreport.cc.com/videos/b4ot0e/apologies-to-shimshamistan" ], "guest": "Sugar Ray Leonard" }, { "date": "2011-06-08", "videos": [ "http://thecolbertreport.cc.com/videos/fq1085/herman-cain-wants-small-bills", "http://thecolbertreport.cc.com/videos/bmggoz/better-know-a-district---california-s-10th---john-garamendi", "http://thecolbertreport.cc.com/videos/ycdgvg/weiner-captures-manscaping-vote", "http://thecolbertreport.cc.com/videos/yvz8wj/bre-pettis", "http://thecolbertreport.cc.com/videos/ao2r17/sign-off---makerbot-head" ], "guest": "Bre Pettis" }, { "date": "2011-06-09", "videos": [ "http://thecolbertreport.cc.com/videos/tz9edm/shaquille-o-neal-retires", "http://thecolbertreport.cc.com/videos/umrvml/mitt-romney-leads-in-fox-news-poll", "http://thecolbertreport.cc.com/videos/qgxogp/the-word---the-business-end", "http://thecolbertreport.cc.com/videos/oneftb/andrew-breitbart-reveals-weiner-photo", "http://thecolbertreport.cc.com/videos/5f3kap/tom-ridge", "http://thecolbertreport.cc.com/videos/vvj5q2/sign-off---goodnight" ], "guest": "Tom Ridge" }, { "date": "2011-06-13", "videos": [ "http://thecolbertreport.cc.com/videos/0zzkov/anthony-weiner-gym-photos", "http://thecolbertreport.cc.com/videos/vgcql3/sport-report---miami-heat--fifa---freestyle-canoe-dancing", "http://thecolbertreport.cc.com/videos/vyyl7z/henry-kissinger-pt--1", "http://thecolbertreport.cc.com/videos/2j87li/henry-kissinger-pt--2", "http://thecolbertreport.cc.com/videos/w5b5l1/sign-off---goodnight" ], "guest": "Henry Kissinger" }, { "date": "2011-06-14", "videos": [ "http://thecolbertreport.cc.com/videos/lokk6e/intro---6-14-11", "http://thecolbertreport.cc.com/videos/egh1n7/elephants-in-the-room", "http://thecolbertreport.cc.com/videos/ykt712/close-sesame", "http://thecolbertreport.cc.com/videos/s6kp16/janny-scott", "http://thecolbertreport.cc.com/videos/j0gylk/sign-off---marshmallows" ], "guest": "Janny Scott" }, { "date": "2011-06-15", "videos": [ "http://thecolbertreport.cc.com/videos/d8iaxd/intro---6-15-11", "http://thecolbertreport.cc.com/videos/zj00ia/iran-bans-necklaces-and-shorts", "http://thecolbertreport.cc.com/videos/xbt4w9/kindergarten-gop", "http://thecolbertreport.cc.com/videos/ynp682/the-word---shock-the-vote", "http://thecolbertreport.cc.com/videos/46tlsv/senior-moment---pot-smoking-seniors", "http://thecolbertreport.cc.com/videos/5h6ee5/keith-olbermann", "http://thecolbertreport.cc.com/videos/5rh3rg/sign-off---stephen-wears-shorts" ], "guest": "Keith Olbermann" }, { "date": "2011-06-20", "videos": [ "http://thecolbertreport.cc.com/videos/2374v3/intro---6-20-11", "http://thecolbertreport.cc.com/videos/q7b70y/stephest-colbchella--011---rock-you-like-a-thirst-icane", "http://thecolbertreport.cc.com/videos/y7lr8u/threatdown---moo-shu-man-milk--centenarians---robo-slackers", "http://thecolbertreport.cc.com/videos/gds7n9/justin-vernon", "http://thecolbertreport.cc.com/videos/su735n/sign-off---bon-iver-bonus-song" ], "guest": "Bon Iver" }, { "date": "2011-06-21", "videos": [ "http://thecolbertreport.cc.com/videos/3o3le7/generic-republican-presidential-nominee", "http://thecolbertreport.cc.com/videos/ct0au7/stephest-colbchella--011---stephen-revives-his-music-career", "http://thecolbertreport.cc.com/videos/v43nph/2011--a-rock-odyssey-featuring-jack-white-pt--1", "http://thecolbertreport.cc.com/videos/7e8ifi/florence-welch", "http://thecolbertreport.cc.com/videos/ei7r0b/sign-off---talib-kweli-tomorrow" ], "guest": "Florence and the Machine" }, { "date": "2011-06-22", "videos": [ "http://thecolbertreport.cc.com/videos/f5h9ob/george-w--bush-helps-break-a-world-record", "http://thecolbertreport.cc.com/videos/ozlnky/2011--a-rock-odyssey-featuring-jack-white-pt--2", "http://thecolbertreport.cc.com/videos/u3bmmq/the-word---the-defining-moment", "http://thecolbertreport.cc.com/videos/c7shlp/talib-kweli" ], "guest": "Talib Kweli" }, { "date": "2011-06-23", "videos": [ "http://thecolbertreport.cc.com/videos/ihqt34/exclusive---2011--a-rock-odyssey-featuring-jack-white---catholic-throwdown", "http://thecolbertreport.cc.com/videos/zbc2ok/stephest-colbchella--011---stephen-announces-his-hit-song", "http://thecolbertreport.cc.com/videos/1if3ir/nation-building-in-america", "http://thecolbertreport.cc.com/videos/4evhq9/2011--a-rock-odyssey-featuring-jack-white-pt--3", "http://thecolbertreport.cc.com/videos/39or3g/jack-white" ], "guest": "The Black Belles" }, { "date": "2011-06-27", "videos": [ "http://thecolbertreport.cc.com/videos/8tiso3/intro---6-27-11", "http://thecolbertreport.cc.com/videos/zz1v27/tip-wag---scented-razors---rick-scott-s-approval-rating", "http://thecolbertreport.cc.com/videos/7e3kfb/stephen---jonathan-alter-at-gaillard-auditorium", "http://thecolbertreport.cc.com/videos/npgonl/good-point-other-point---ted-nugent-vs--millennials", "http://thecolbertreport.cc.com/videos/89vjk7/grover-norquist", "http://thecolbertreport.cc.com/videos/fe2wnr/sign-off---scented-box-cutter" ], "guest": "Grover Norquist" }, { "date": "2011-06-28", "videos": [ "http://thecolbertreport.cc.com/videos/gs5b2y/intro---6-28-11", "http://thecolbertreport.cc.com/videos/im5by3/michele-bachmann-compares-herself-to-john-wayne", "http://thecolbertreport.cc.com/videos/b2dez1/the-word---too-big-to-nail", "http://thecolbertreport.cc.com/videos/eztgrx/advertising-to-monkeys", "http://thecolbertreport.cc.com/videos/jfztdi/alexandra-pelosi", "http://thecolbertreport.cc.com/videos/1it2j9/sign-off---teleprompter-eulogy" ], "guest": "Alexandra Pelosi" }, { "date": "2011-06-29", "videos": [ "http://thecolbertreport.cc.com/videos/e7dlbc/intro---6-29-11", "http://thecolbertreport.cc.com/videos/s3xttd/4th-of-july-under-attack---fireworks-cancelled", "http://thecolbertreport.cc.com/videos/7gul1z/colbert-super-pac---irresponsible-advertising", "http://thecolbertreport.cc.com/videos/kco7lo/colbert-super-pac---trevor-potter-preps-stephen-for-his-fec-hearing", "http://thecolbertreport.cc.com/videos/o7wrgl/hometown-hero-town---lexington--ky", "http://thecolbertreport.cc.com/videos/zc23xv/gary-sinise", "http://thecolbertreport.cc.com/videos/80a7v2/sign-off---see-you-at-the-fec" ], "guest": "Gary Sinise" }, { "date": "2011-06-30", "videos": [ "http://thecolbertreport.cc.com/videos/3yk8uf/intro---6-30-11", "http://thecolbertreport.cc.com/videos/gffis7/colbert-super-pac---i-can-haz-super-pac-", "http://thecolbertreport.cc.com/videos/uf525x/colbert-super-pac---stephen-addresses-colbert-super-nation", "http://thecolbertreport.cc.com/videos/owodco/formidable-opponent---pakistan", "http://thecolbertreport.cc.com/videos/807lhi/timothy-garton-ash", "http://thecolbertreport.cc.com/videos/b2dqnd/sign-off---super-pac-donations" ], "guest": "Timothy Garton Ash" }, { "date": "2011-07-11", "videos": [ "http://thecolbertreport.cc.com/videos/t8xnmj/intro---7-11-11", "http://thecolbertreport.cc.com/videos/sgqex9/colbert-super-pac---pushing-the-limits", "http://thecolbertreport.cc.com/videos/m3svek/anti-frack-attacks", "http://thecolbertreport.cc.com/videos/2h3oe2/tip-wag---conservative-john-lennon---unfunny-germany", "http://thecolbertreport.cc.com/videos/z2r2b0/michael-shermer", "http://thecolbertreport.cc.com/videos/g47pr3/sign-off---super-pac-fundraising-goal" ], "guest": "Michael Shermer" }, { "date": "2011-07-12", "videos": [ "http://thecolbertreport.cc.com/videos/20gpt7/herman-cain-train", "http://thecolbertreport.cc.com/videos/7aive1/the-family-leader-s-controversial-pledge", "http://thecolbertreport.cc.com/videos/7sobpk/heterosexual-accountability-buddy", "http://thecolbertreport.cc.com/videos/vw4tol/dan-savage", "http://thecolbertreport.cc.com/videos/nkuukl/sign-off---fixing-the-boiler" ], "guest": "Dan Savage" }, { "date": "2011-07-13", "videos": [ "http://thecolbertreport.cc.com/videos/smsyco/intro---7-13-11", "http://thecolbertreport.cc.com/videos/70lgql/flagworth-2012", "http://thecolbertreport.cc.com/videos/7gb5kn/republicans-choose-none-of-the-above", "http://thecolbertreport.cc.com/videos/palj9t/obama-calls-the-republican-bluff", "http://thecolbertreport.cc.com/videos/5ulzg5/david-mccullough", "http://thecolbertreport.cc.com/videos/7xngpa/sign-off---pen-toss" ], "guest": "David McCullough" }, { "date": "2011-07-14", "videos": [ "http://thecolbertreport.cc.com/videos/h2i0g7/intro---7-14-11", "http://thecolbertreport.cc.com/videos/8oisqi/carmageddon", "http://thecolbertreport.cc.com/videos/uqj8qb/may-the-best-stephen-colbert-win", "http://thecolbertreport.cc.com/videos/a29405/murdoch-s-media-empire-might-go-down-the-toilet", "http://thecolbertreport.cc.com/videos/1o1flh/improvised-expressive-devices", "http://thecolbertreport.cc.com/videos/82ovjs/jose-antonio-vargas", "http://thecolbertreport.cc.com/videos/9nwz4n/sign-off---goodnight" ], "guest": "Jose Antonio Vargas" }, { "date": "2011-07-18", "videos": [ "http://thecolbertreport.cc.com/videos/ureory/intro---7-18-11", "http://thecolbertreport.cc.com/videos/ybue54/epic-blockbuster", "http://thecolbertreport.cc.com/videos/7t9e81/colbert-super-pac---cash-crawl", "http://thecolbertreport.cc.com/videos/73lwqj/colbert-super-pac---campaign-finance", "http://thecolbertreport.cc.com/videos/9q309t/blood-in-the-water---rupert-murdoch-s-news-of-the-world-scandal", "http://thecolbertreport.cc.com/videos/36812w/john-prendergast", "http://thecolbertreport.cc.com/videos/d8rt51/sign-off---prerecorded-episodes" ], "guest": "John Prendergast" }, { "date": "2011-07-19", "videos": [ "http://thecolbertreport.cc.com/videos/bcunwj/newt-s-white-whale", "http://thecolbertreport.cc.com/videos/nhl043/god-calls-rick-perry", "http://thecolbertreport.cc.com/videos/6cdpui/debt-ceiling-deadline-conspiracy", "http://thecolbertreport.cc.com/videos/maophz/david-carr", "http://thecolbertreport.cc.com/videos/50pek1/sign-off---goodnight" ], "guest": "David Carr" }, { "date": "2011-07-20", "videos": [ "http://thecolbertreport.cc.com/videos/pmh9y8/humanized-by-pie", "http://thecolbertreport.cc.com/videos/ozixqy/voter-id-laws", "http://thecolbertreport.cc.com/videos/2i29ww/congressional-partisan-rancor", "http://thecolbertreport.cc.com/videos/2p2ijk/michael-sandel", "http://thecolbertreport.cc.com/videos/tia7kd/sign-off---reading" ], "guest": "Michael Sandel" }, { "date": "2011-07-21", "videos": [ "http://thecolbertreport.cc.com/videos/egjics/intro---7-21-11", "http://thecolbertreport.cc.com/videos/l3rcr1/death-of-america-s-space-program", "http://thecolbertreport.cc.com/videos/vntv81/i-s-on-edjukashun---gay-history---disney-english", "http://thecolbertreport.cc.com/videos/6yym31/nbc--no-butt-coverage", "http://thecolbertreport.cc.com/videos/9catel/david-eagleman", "http://thecolbertreport.cc.com/videos/nn8qoh/sign-off---space-robot" ], "guest": "David Eagleman" }, { "date": "2011-07-25", "videos": [ "http://thecolbertreport.cc.com/videos/l0wxhe/y2-gay", "http://thecolbertreport.cc.com/videos/fbd6kf/norwegian-muslish-gunman-s-islam-esque-atrocity", "http://thecolbertreport.cc.com/videos/wznkdz/vaginal-puppeteering-vs--d--k-scrub", "http://thecolbertreport.cc.com/videos/z4gfkc/brian-cox", "http://thecolbertreport.cc.com/videos/9q5n38/sign-off---the-thinker" ], "guest": "Brian Cox" }, { "date": "2011-07-26", "videos": [ "http://thecolbertreport.cc.com/videos/bzl0xh/intro---7-26-11", "http://thecolbertreport.cc.com/videos/umjv5s/herman-cain-cancels-on-stephen", "http://thecolbertreport.cc.com/videos/zq2rpw/-poor--in-america", "http://thecolbertreport.cc.com/videos/j2gcnk/-poor--in-america---peter-edelman", "http://thecolbertreport.cc.com/videos/a4awyb/america-s-bucket-list", "http://thecolbertreport.cc.com/videos/azl59v/brooke-gladstone", "http://thecolbertreport.cc.com/videos/ly4qfz/sign-off---america-s-bucket-list" ], "guest": "Brooke Gladstone" }, { "date": "2011-07-27", "videos": [ "http://thecolbertreport.cc.com/videos/zq1omv/nissan-s--leaf-wave--deadline", "http://thecolbertreport.cc.com/videos/x50fvb/difference-makers---patrick-rodgers", "http://thecolbertreport.cc.com/videos/3o44r7/helium-runs-out", "http://thecolbertreport.cc.com/videos/omkngv/missy-cummings", "http://thecolbertreport.cc.com/videos/y4zc9o/sign-off---surveillance-drone-crash" ], "guest": "Mary \"Missy\" Cummings" }, { "date": "2011-07-28", "videos": [ "http://thecolbertreport.cc.com/videos/8c1oeo/the-republican-ring-of-power", "http://thecolbertreport.cc.com/videos/yzmsiz/colbert-super-pac---for-the-children", "http://thecolbertreport.cc.com/videos/e4r2vc/colbert-super-pac---matthew-dowd---ham-rove", "http://thecolbertreport.cc.com/videos/z6f8m4/buddy-roemer-pt--1", "http://thecolbertreport.cc.com/videos/n4ldiq/buddy-roemer-pt--2", "http://thecolbertreport.cc.com/videos/tzpdu5/sign-off---cone-of-silence" ], "guest": "Buddy Roemer" }, { "date": "2011-08-01", "videos": [ "http://thecolbertreport.cc.com/videos/aqw9op/intro---8-1-11", "http://thecolbertreport.cc.com/videos/lrz1ud/-three-billy-goats-gruff--budget-negotiations", "http://thecolbertreport.cc.com/videos/mgkqu6/the-word---with-great-power-comes-no-responsibility", "http://thecolbertreport.cc.com/videos/6v3oa3/from-ashes-to-bullets", "http://thecolbertreport.cc.com/videos/mqbxt0/tony-hsieh", "http://thecolbertreport.cc.com/videos/sqd53z/sign-off---sneakers" ], "guest": "Tony Hsieh" }, { "date": "2011-08-02", "videos": [ "http://thecolbertreport.cc.com/videos/xaqx6o/intro---8-2-11", "http://thecolbertreport.cc.com/videos/j862uf/newt-gingrich-s-twitter-scandal", "http://thecolbertreport.cc.com/videos/pzfcj1/america-s-credit-grating", "http://thecolbertreport.cc.com/videos/y1xqdj/america-s-credit-grating---david-leonhardt", "http://thecolbertreport.cc.com/videos/gg2p1r/baby-teeth-economy", "http://thecolbertreport.cc.com/videos/id20x6/al-hunt", "http://thecolbertreport.cc.com/videos/h26uru/sign-off---goodnight" ], "guest": "Al Hunt" }, { "date": "2011-08-03", "videos": [ "http://thecolbertreport.cc.com/videos/br7gdf/intro---8-3-11", "http://thecolbertreport.cc.com/videos/3i1326/multiracial-spider-man", "http://thecolbertreport.cc.com/videos/f3w320/threatdown---fake-states--sharia-weather---monopoly", "http://thecolbertreport.cc.com/videos/cvc16w/women-s-health-nazi-plan", "http://thecolbertreport.cc.com/videos/6x0m3y/robert-wittman", "http://thecolbertreport.cc.com/videos/utsxoh/sign-off---official-flag-updater" ], "guest": "Robert Wittman" }, { "date": "2011-08-04", "videos": [ "http://thecolbertreport.cc.com/videos/t3bxny/intro---8-4-11", "http://thecolbertreport.cc.com/videos/8tx5s2/barack-obama-s-50th-birthday", "http://thecolbertreport.cc.com/videos/7ahjkr/colbert-super-pac---the-heroes-respond", "http://thecolbertreport.cc.com/videos/ma6ejy/wisconsin-s-recall-election---americans-for-prosperity-s-absentee-ballot-typos", "http://thecolbertreport.cc.com/videos/8q9pe2/sport-report---baseball-s-lowest-records---mlb-s-twitter-feed", "http://thecolbertreport.cc.com/videos/d8704f/anthony-bourdain", "http://thecolbertreport.cc.com/videos/afj5qe/sign-off---goodnight" ], "guest": "Anthony Bourdain" }, { "date": "2011-08-08", "videos": [ "http://thecolbertreport.cc.com/videos/smerqo/america-s-credit-downgrade", "http://thecolbertreport.cc.com/videos/y7x3es/colbert-super-pac---rick-perry-for-president", "http://thecolbertreport.cc.com/videos/lu1v74/doomsday-bargain-bunkers", "http://thecolbertreport.cc.com/videos/wkairk/nassir-ghaemi", "http://thecolbertreport.cc.com/videos/4zkkn5/sign-off---stephen-sniffs-a-marker" ], "guest": "Nassir Ghaemi" }, { "date": "2011-08-09", "videos": [ "http://thecolbertreport.cc.com/videos/tufpnm/intro---8-9-11", "http://thecolbertreport.cc.com/videos/pxptx8/heatsteria", "http://thecolbertreport.cc.com/videos/rtqznl/the-word---head-in-the-cloud", "http://thecolbertreport.cc.com/videos/gj6vb5/ric-ocasek" ], "guest": "The Cars" }, { "date": "2011-08-10", "videos": [ "http://thecolbertreport.cc.com/videos/mjvryb/intro---8-10-11", "http://thecolbertreport.cc.com/videos/1jlwac/hooker-drawer-market", "http://thecolbertreport.cc.com/videos/cw4el2/yahweh-or-no-way---mormons---god-s-poll-numbers", "http://thecolbertreport.cc.com/videos/uulxb3/god-s-job-performance---jim-martin", "http://thecolbertreport.cc.com/videos/15zleh/colbert-super-pac---campaign-donation-addiction", "http://thecolbertreport.cc.com/videos/zxka8u/elliot-ackerman", "http://thecolbertreport.cc.com/videos/mvgmwy/sign-off---e-mailing-colbert-nation" ], "guest": "Elliott Ackerman" }, { "date": "2011-08-11", "videos": [ "http://thecolbertreport.cc.com/videos/pi19ix/super-pac-ad---behind-the-green-corn", "http://thecolbertreport.cc.com/videos/x1aodj/super-pac-ad---episode-iv--a-new-hope", "http://thecolbertreport.cc.com/videos/etbj36/romney-2012----corporations-are-people-", "http://thecolbertreport.cc.com/videos/90ptp7/colbert-super-pac---rick-parry-with-an--a--for-america", "http://thecolbertreport.cc.com/videos/swbu9s/colbert-super-pac---confused-by-rick-parry-with-an--a--for-america", "http://thecolbertreport.cc.com/videos/yu257u/gloria-steinem", "http://thecolbertreport.cc.com/videos/7x3ryp/sign-off---stephen-s-emmy-award" ], "guest": "Gloria Steinem" }, { "date": "2011-08-15", "videos": [ "http://thecolbertreport.cc.com/videos/40fotx/exclusive---susan-rice-extended-interview-pt--1", "http://thecolbertreport.cc.com/videos/vvlrva/exclusive---susan-rice-extended-interview-pt--2", "http://thecolbertreport.cc.com/videos/lqjncy/susan-rice-extended-interview-pt--3", "http://thecolbertreport.cc.com/videos/0yyo1z/colbert-super-pac---stephen-apologizes-to-woi-in-des-moines", "http://thecolbertreport.cc.com/videos/dzchwi/colbert-super-pac---iowa-straw-poll-results", "http://thecolbertreport.cc.com/videos/dkh4ps/susan-rice-pt--1", "http://thecolbertreport.cc.com/videos/nla0b4/susan-rice-pt--2", "http://thecolbertreport.cc.com/videos/1rtsq5/sign-off---full-susan-rice-interview-online" ], "guest": "Amb. Susan Rice" }, { "date": "2011-08-16", "videos": [ "http://thecolbertreport.cc.com/videos/i0nwuy/exclusive---space-shuttle-atlantis-crew---extended-interview-pt--1", "http://thecolbertreport.cc.com/videos/8gjrx4/exclusive---space-shuttle-atlantis-crew---extended-interview-pt--2", "http://thecolbertreport.cc.com/videos/rmrfc3/the-etymology-of--obamacare-", "http://thecolbertreport.cc.com/videos/cjfda6/colbert-super-pac---persuadulux-6000", "http://thecolbertreport.cc.com/videos/m00z1i/colbert-super-pac---frank-luntz-commits-to-the-pac", "http://thecolbertreport.cc.com/videos/a8v2gy/nasa-s-greatest-moments-montage", "http://thecolbertreport.cc.com/videos/nnfhdg/chris-ferguson--doug-hurley--rex-walheim---sandy-magnus", "http://thecolbertreport.cc.com/videos/h83o7v/sign-off---stephen-s-launch-pad-nut" ], "guest": "STS-135 astronauts" }, { "date": "2011-08-17", "videos": [ "http://thecolbertreport.cc.com/videos/brmz0s/exclusive---jeff-bridges-for-summer-s-eve", "http://thecolbertreport.cc.com/videos/1cvtnm/intro---8-17-11", "http://thecolbertreport.cc.com/videos/yk47i3/colbert-super-pac---rick-perry-s-treasurer", "http://thecolbertreport.cc.com/videos/uiim37/tip-wag---evangelical-scientists---rick-santorum", "http://thecolbertreport.cc.com/videos/4km5oi/jeff-bridges", "http://thecolbertreport.cc.com/videos/1bb0sg/sign-off---jeff-bridges--album-cover" ], "guest": "Jeff Bridges" }, { "date": "2011-08-18", "videos": [ "http://thecolbertreport.cc.com/videos/237rh7/intro---8-18-11", "http://thecolbertreport.cc.com/videos/oqd808/russia-s-james-bonds-vs--america-s-barack-obama", "http://thecolbertreport.cc.com/videos/j31bbb/colbert-super-pac---parry-with-an-a-gate----day-6---we-may-have-did-it-", "http://thecolbertreport.cc.com/videos/94c0x7/colbert-super-pac---parry-with-an-a-gate----day-6---woi-in-des-moines-reports", "http://thecolbertreport.cc.com/videos/ger41z/anderson-cooper-s-kryptonite", "http://thecolbertreport.cc.com/videos/1yhudu/kevin-mitnick", "http://thecolbertreport.cc.com/videos/5r0lwc/sign-off---woi-in-des-moines" ], "guest": "Kevin Mitnick" }, { "date": "2011-09-06", "videos": [ "http://thecolbertreport.cc.com/videos/s3kv9p/michele-bachmann-s-natural-disaster-metaphor", "http://thecolbertreport.cc.com/videos/fk34r7/the-word---happy-endings", "http://thecolbertreport.cc.com/videos/ovw3t4/cheating-death---placebocisers---vaxamalgam", "http://thecolbertreport.cc.com/videos/1cua0e/tim-pawlenty", "http://thecolbertreport.cc.com/videos/d2roue/sign-off---placebocisers" ], "guest": "Gov. Tim Pawlenty" }, { "date": "2011-09-07", "videos": [ "http://thecolbertreport.cc.com/videos/1iqy2m/intro---9-7-11", "http://thecolbertreport.cc.com/videos/nw0vtw/this-weak-in-national-secowardty", "http://thecolbertreport.cc.com/videos/dhg1or/martin-luther-king-jr--memorial-paraphrase", "http://thecolbertreport.cc.com/videos/796niz/parry-with-an-a-gate----day-26---update", "http://thecolbertreport.cc.com/videos/h8ndj7/robin-wright", "http://thecolbertreport.cc.com/videos/we0bnb/sign-off---stephen-uses-his-ipad" ], "guest": "Robin B. Wright" }, { "date": "2011-09-08", "videos": [ "http://thecolbertreport.cc.com/videos/6ut02o/republican-presidential-debate-media-coverage", "http://thecolbertreport.cc.com/videos/0yghln/rick-perry-presents", "http://thecolbertreport.cc.com/videos/pf00vn/barack-obama-s-jobs-speech", "http://thecolbertreport.cc.com/videos/5x0a3c/tom-brokaw", "http://thecolbertreport.cc.com/videos/lwsx3m/sign-off---old-milwaukee-beer" ], "guest": "Tom Brokaw" }, { "date": "2011-09-12", "videos": [ "http://thecolbertreport.cc.com/videos/3ooncl/tea-party-face-off-preview", "http://thecolbertreport.cc.com/videos/4ig8mh/stephen-reports-on-an-old-fashioned-hero", "http://thecolbertreport.cc.com/videos/eicjwv/shopping-griefportunities", "http://thecolbertreport.cc.com/videos/sxy47f/diane-sawyer", "http://thecolbertreport.cc.com/videos/g2jfq9/sign-off---stephen-s-mug" ], "guest": "Diane Sawyer" }, { "date": "2011-09-13", "videos": [ "http://thecolbertreport.cc.com/videos/bgo24q/intro---9-13-11", "http://thecolbertreport.cc.com/videos/6jpgl3/cnn-tea-party-republican-debate", "http://thecolbertreport.cc.com/videos/swyrcg/barack-obama-s-american-jobs-act", "http://thecolbertreport.cc.com/videos/q1hw3n/barack-obama-s-american-jobs-act---paul-krugman", "http://thecolbertreport.cc.com/videos/t7gpb8/ron-paul-2012", "http://thecolbertreport.cc.com/videos/2cr39e/al-gore", "http://thecolbertreport.cc.com/videos/e1gewo/sign-off----stephen-colbert-" ], "guest": "Al Gore" }, { "date": "2011-09-14", "videos": [ "http://thecolbertreport.cc.com/videos/thyhg7/jobs-bill-clipgate", "http://thecolbertreport.cc.com/videos/gvt0ij/return-to-sender", "http://thecolbertreport.cc.com/videos/3h08e2/return-to-sender---phil-rubio", "http://thecolbertreport.cc.com/videos/gz48mn/rick-perry-s-hpv-vaccine-mandate", "http://thecolbertreport.cc.com/videos/dx27ks/michael-moore", "http://thecolbertreport.cc.com/videos/3rxw2x/sign-off---goodnight" ], "guest": "Michael Moore" }, { "date": "2011-09-15", "videos": [ "http://thecolbertreport.cc.com/videos/jgxmci/intro---9-15-11", "http://thecolbertreport.cc.com/videos/rte3k7/take-a-billion--leave-a-billion", "http://thecolbertreport.cc.com/videos/15vhbi/the-other-american-jobs-act", "http://thecolbertreport.cc.com/videos/rje3k2/jimmy-fallon---stephen-reminisce", "http://thecolbertreport.cc.com/videos/h90n13/fema-s-waffle-house-index", "http://thecolbertreport.cc.com/videos/b406bd/david-copperfield", "http://thecolbertreport.cc.com/videos/7m5lpn/sign-off---stephen-s-magic-trick" ], "guest": "David Copperfield" }, { "date": "2011-09-20", "videos": [ "http://thecolbertreport.cc.com/videos/tpoc1g/the-63rd-emmy-awards", "http://thecolbertreport.cc.com/videos/whouap/barack-obama-unveils-the--buffett-rule-", "http://thecolbertreport.cc.com/videos/pyq49u/the-word---death-and-taxes", "http://thecolbertreport.cc.com/videos/3q875w/the-gayest-penetration", "http://thecolbertreport.cc.com/videos/xnvm51/jeffrey-kluger", "http://thecolbertreport.cc.com/videos/t0vjb4/sign-off---colbert-nation-s-newest-members" ], "guest": "Jeffrey Kluger" }, { "date": "2011-09-21", "videos": [ "http://thecolbertreport.cc.com/videos/hc8ova/intro---9-21-11", "http://thecolbertreport.cc.com/videos/negwpt/coming-soon---hour-long-radiohead-special", "http://thecolbertreport.cc.com/videos/kyxdz3/european-union-collapse---war-fueled-recovery", "http://thecolbertreport.cc.com/videos/t51ow7/european-union-collapse---war-fueled-recovery---chrystia-freeland", "http://thecolbertreport.cc.com/videos/wvyk91/wall-street-under-siege", "http://thecolbertreport.cc.com/videos/z0celp/daniel-yergin", "http://thecolbertreport.cc.com/videos/y9o1cm/sign-off---cigar" ], "guest": "Daniel Yergin" }, { "date": "2011-09-22", "videos": [ "http://thecolbertreport.cc.com/videos/9dc7h4/defunct-satellite-hurtles-toward-earth", "http://thecolbertreport.cc.com/videos/szcqls/tip-wag---marine-corps---department-of-homeland-security", "http://thecolbertreport.cc.com/videos/6uyhy5/obama-s-u-n--gaffes---rick-perry-s-support-for-israel", "http://thecolbertreport.cc.com/videos/ncny69/jeremy-ben-ami", "http://thecolbertreport.cc.com/videos/akoxfi/sign-off---the-beloved-dog-lives-on" ], "guest": "Jeremy Ben-Ami" }, { "date": "2011-09-26", "videos": [ "http://thecolbertreport.cc.com/videos/1w32i4/intro---9-26-11", "http://thecolbertreport.cc.com/videos/p9c0ds/dr-pepper-presents-stephen-colbert-s-rocktember-with-radiohead", "http://thecolbertreport.cc.com/videos/u4qbft/the-word---i-think--therefore-i-brand", "http://thecolbertreport.cc.com/videos/grlcgn/radiohead", "http://thecolbertreport.cc.com/videos/xqeu3w/ignoring-global-warming", "http://thecolbertreport.cc.com/videos/wwvu7o/ignoring-global-warming---thom-yorke---ed-o-brien" ], "guest": "Radiohead" }, { "date": "2011-09-27", "videos": [ "http://thecolbertreport.cc.com/videos/9qb4vy/stephen---melinda-gates-foundation---donorschoose-org", "http://thecolbertreport.cc.com/videos/tsm4sg/rick-perry-s-debate-gaffe---arizona-s-primary-date", "http://thecolbertreport.cc.com/videos/5mvmay/sport-report---nascar-s-green-initiatives---nfl-pat-downs", "http://thecolbertreport.cc.com/videos/ptxagr/melinda-gates", "http://thecolbertreport.cc.com/videos/zlthc8/sign-off---beer-from-the-beerkenstocks" ], "guest": "Melinda Gates" }, { "date": "2011-09-28", "videos": [ "http://thecolbertreport.cc.com/videos/3qibl4/intro---9-28-11", "http://thecolbertreport.cc.com/videos/udzuyb/george-clooney-s-villa-parties", "http://thecolbertreport.cc.com/videos/tbuq71/the-word---labor-chains", "http://thecolbertreport.cc.com/videos/3qmkez/atone-phone---john-lithgow-calls", "http://thecolbertreport.cc.com/videos/ndmtp9/ken-burns", "http://thecolbertreport.cc.com/videos/osmia6/sign-off---reading---shofar-playing" ], "guest": "Ken Burns" }, { "date": "2011-09-29", "videos": [ "http://thecolbertreport.cc.com/videos/0agwtq/mark-cuban-dances", "http://thecolbertreport.cc.com/videos/ivvzeu/colbert-super-pac---ham-rove-s-secrets", "http://thecolbertreport.cc.com/videos/3yzu4u/colbert-super-pac---trevor-potter---stephen-s-shell-corporation", "http://thecolbertreport.cc.com/videos/ujyuht/colbert-super-pac-shh----the-donating-game", "http://thecolbertreport.cc.com/videos/qiwg3k/mark-cuban", "http://thecolbertreport.cc.com/videos/8ekdsc/sign-off---last-heroe--crawl" ], "guest": "Mark Cuban" }, { "date": "2011-10-03", "videos": [ "http://thecolbertreport.cc.com/videos/fehwjq/rick-perry-s-questionably-named-hunting-camp", "http://thecolbertreport.cc.com/videos/m272fc/supreme-courting-season", "http://thecolbertreport.cc.com/videos/v2njjc/supreme-courting-season---jeffrey-toobin", "http://thecolbertreport.cc.com/videos/25ffk2/threatdown---bears-in-rehab--bear-terminators---sanctimonious-enviro-bears", "http://thecolbertreport.cc.com/videos/wmazj5/jerome-groopman", "http://thecolbertreport.cc.com/videos/kp6658/sign-off---stephen-s-water-bottle" ], "guest": "Jerome Groopman" }, { "date": "2011-10-04", "videos": [ "http://thecolbertreport.cc.com/videos/wy82eg/intro---10-4-11", "http://thecolbertreport.cc.com/videos/3wq74s/chris-christie-2012", "http://thecolbertreport.cc.com/videos/3dpzet/chris-christie-2012---rick-davis", "http://thecolbertreport.cc.com/videos/cwuy2m/bocephus-s-eternal-question", "http://thecolbertreport.cc.com/videos/xhc68w/john-lithgow", "http://thecolbertreport.cc.com/videos/n16lxn/sign-off---formula-401-rumors" ], "guest": "John Lithgow" }, { "date": "2011-10-05", "videos": [ "http://thecolbertreport.cc.com/videos/0vn7mh/intro---10-5-11", "http://thecolbertreport.cc.com/videos/xnxfq5/herman-cain-2012", "http://thecolbertreport.cc.com/videos/dbbjic/herman-cain-2012---gay-choice", "http://thecolbertreport.cc.com/videos/6kkk93/tip-wag---mexico-city-marriage-licenses---modern-warfare-3-s-xp-promotion", "http://thecolbertreport.cc.com/videos/ifegp7/talib-kweli---yasiin-bey--a-k-a--mos-def-", "http://thecolbertreport.cc.com/videos/7edjef/sign-off---iphone-goodnight" ], "guest": "Mos Def &amp; Talib Kweli" }, { "date": "2011-10-06", "videos": [ "http://thecolbertreport.cc.com/videos/0qyxlz/colbert-super-pac-ad---foul-balls", "http://thecolbertreport.cc.com/videos/fri8e1/intro---10-6-11", "http://thecolbertreport.cc.com/videos/z103m6/sarah-palin-s-sad-news", "http://thecolbertreport.cc.com/videos/yarfv2/colbert-super-pac-shh----apology-to-ham-rove", "http://thecolbertreport.cc.com/videos/fottda/tribute-to-steve-jobs", "http://thecolbertreport.cc.com/videos/98xl59/jason-amerine", "http://thecolbertreport.cc.com/videos/oy1k9u/sign-off---goodnight" ], "guest": "Jason Amerine" }, { "date": "2011-10-17", "videos": [ "http://thecolbertreport.cc.com/videos/nng5h7/exclusive---harry-belafonte-extended-interview", "http://thecolbertreport.cc.com/videos/gj3y6l/occupy-wall-street-spreads", "http://thecolbertreport.cc.com/videos/z27tp0/the-word---look-out-for-the-little-guy", "http://thecolbertreport.cc.com/videos/6vl2zq/sport-report---nba-lockout---colbert-super-pac-ad", "http://thecolbertreport.cc.com/videos/01fxlb/harry-belafonte", "http://thecolbertreport.cc.com/videos/s0qu24/sign-off---goodnight" ], "guest": "Harry Belafonte" }, { "date": "2011-10-18", "videos": [ "http://thecolbertreport.cc.com/videos/h40j2n/talking-iphone-4s", "http://thecolbertreport.cc.com/videos/ta7e7u/herman-cain-s-electrified-fence", "http://thecolbertreport.cc.com/videos/cbwqbb/thought-for-food---school-potato-guidelines---fast-food-stamps", "http://thecolbertreport.cc.com/videos/3h8h2l/steven-pinker", "http://thecolbertreport.cc.com/videos/9c1bsf/sign-off---sixth-anniversary-portrait" ], "guest": "Steven Pinker" }, { "date": "2011-10-19", "videos": [ "http://thecolbertreport.cc.com/videos/iirczx/intro---10-19-11", "http://thecolbertreport.cc.com/videos/gghhza/herman-cain-canes-the-unemployed", "http://thecolbertreport.cc.com/videos/ubi151/job-killing-epa", "http://thecolbertreport.cc.com/videos/zi48pt/job-killing-epa---carol-browner", "http://thecolbertreport.cc.com/videos/f49qpp/rush-limbaugh-s-l-r-a--research", "http://thecolbertreport.cc.com/videos/fztuzs/ali-soufan", "http://thecolbertreport.cc.com/videos/kodm5a/sign-off---laptop-music" ], "guest": "Ali Soufan" }, { "date": "2011-10-20", "videos": [ "http://thecolbertreport.cc.com/videos/n73wq4/intro---10-20-11", "http://thecolbertreport.cc.com/videos/5p2a33/goodbye--muammar-al-gaddafi", "http://thecolbertreport.cc.com/videos/5xgc3k/tip-wag---tea-party-nation-pledge---spirit-airlines--ad-revenue", "http://thecolbertreport.cc.com/videos/ql433h/bill-o-reilly-s--pinheads---patriots-", "http://thecolbertreport.cc.com/videos/qw2pao/chris-martin" ], "guest": "Coldplay" }, { "date": "2011-10-24", "videos": [ "http://thecolbertreport.cc.com/videos/x027jm/exclusive---colbert-super-pac---frank-luntz---stephen-knows-his-classic-rock", "http://thecolbertreport.cc.com/videos/f8t1zf/america-s-top-mormons---jon-huntsman", "http://thecolbertreport.cc.com/videos/45wqla/colbert-super-pac----corporations-are-people-", "http://thecolbertreport.cc.com/videos/6s8sdq/colbert-super-pac----corporations-are-people----frank-luntz", "http://thecolbertreport.cc.com/videos/5jjhhv/colbert-super-pac----corporations-are-people----frank-luntz-s-focus-group", "http://thecolbertreport.cc.com/videos/541ucf/jon-huntsman", "http://thecolbertreport.cc.com/videos/53t2yg/sign-off---goodnight" ], "guest": "Jon Huntsman" }, { "date": "2011-10-25", "videos": [ "http://thecolbertreport.cc.com/videos/s25oo4/intro---10-25-11", "http://thecolbertreport.cc.com/videos/darfes/steve-jobs--biography", "http://thecolbertreport.cc.com/videos/3uz7qn/herman-cain-s-campaign-ad", "http://thecolbertreport.cc.com/videos/n2dzu0/flogging-the-americone-dream", "http://thecolbertreport.cc.com/videos/wsqtx0/susan-saladoff", "http://thecolbertreport.cc.com/videos/89ebii/sign-off---enjoying-americone-dream" ], "guest": "Susan Saladoff" }, { "date": "2011-10-26", "videos": [ "http://thecolbertreport.cc.com/videos/lj5z4k/colbert-super-pac-ad---ball-gag", "http://thecolbertreport.cc.com/videos/xlwljf/exclusive---hey--remember-this--alabama-", "http://thecolbertreport.cc.com/videos/fa0w0c/intro---10-26-11", "http://thecolbertreport.cc.com/videos/zwe40u/whales-aren-t-people", "http://thecolbertreport.cc.com/videos/7rtf6k/alabama-s-migrant-workers", "http://thecolbertreport.cc.com/videos/dcq3ky/war-on-halloween---costume-swapping---jesus-ween", "http://thecolbertreport.cc.com/videos/sqeewv/taylor-branch", "http://thecolbertreport.cc.com/videos/6twlww/sign-off---don-t-buy-these-books" ], "guest": "Taylor Branch" }, { "date": "2011-10-27", "videos": [ "http://thecolbertreport.cc.com/videos/hfaq0j/intro---10-27-11", "http://thecolbertreport.cc.com/videos/gmesd4/shockupy-wall-street-fad", "http://thecolbertreport.cc.com/videos/xhn542/sport-report---nfl-fines---colbert-super-pac-s-second-nba-lockout-ad", "http://thecolbertreport.cc.com/videos/s2ax4o/toby-keith" ], "guest": "Toby Keith" }, { "date": "2011-10-31", "videos": [ "http://thecolbertreport.cc.com/videos/l7lj84/sexy-costume-discrimination", "http://thecolbertreport.cc.com/videos/0svkvx/colbert-super-pac---occupy-wall-street-co-optportunity", "http://thecolbertreport.cc.com/videos/d4hmi3/colbert-super-pac---stephen-colbert-occupies-occupy-wall-street-pt--1", "http://thecolbertreport.cc.com/videos/4tqlz9/tip-wag---gun-freedom---healthcare-bartering", "http://thecolbertreport.cc.com/videos/n0jrmj/neil-macgregor", "http://thecolbertreport.cc.com/videos/tyvfoe/sign-off---goodnight" ], "guest": "Neil MacGregor" }, { "date": "2011-11-01", "videos": [ "http://thecolbertreport.cc.com/videos/9346zn/intro---11-1-11", "http://thecolbertreport.cc.com/videos/ysh9bq/herman-cain-under-attack", "http://thecolbertreport.cc.com/videos/hqjgoz/colbert-super-pac---stephen-colbert-occupies-occupy-wall-street-pt--2", "http://thecolbertreport.cc.com/videos/yo2avl/yo-yo-ma--stuart-duncan--edgar-meyer---chris-thile", "http://thecolbertreport.cc.com/videos/pez22q/sign-off---goodnight" ], "guest": "Yo-Yo Ma" }, { "date": "2011-11-02", "videos": [ "http://thecolbertreport.cc.com/videos/394xx1/intro---11-2-11", "http://thecolbertreport.cc.com/videos/n3ifbc/herman-cain-s-international-affairs", "http://thecolbertreport.cc.com/videos/icx1x6/the-word---bite-the-hand-that-feeds-you", "http://thecolbertreport.cc.com/videos/6dlo6v/muffingate", "http://thecolbertreport.cc.com/videos/6jv4ha/michael-pollan", "http://thecolbertreport.cc.com/videos/c8yk04/sign-off---white-castle---beer" ], "guest": "Michael Pollan" }, { "date": "2011-11-03", "videos": [ "http://thecolbertreport.cc.com/videos/db8sp6/intro---11-3-11", "http://thecolbertreport.cc.com/videos/tvwydl/ghost-sex", "http://thecolbertreport.cc.com/videos/gxg7x0/european-investment-prospectus", "http://thecolbertreport.cc.com/videos/2nhcbh/colbert-super-pac---herman-cain-s-fundraising---rush-limbaugh-s-stereotypes", "http://thecolbertreport.cc.com/videos/rwwdgv/nathan-wolfe", "http://thecolbertreport.cc.com/videos/g7b66l/sign-off---purell" ], "guest": "Nathan Wolfe" }, { "date": "2011-11-07", "videos": [ "http://thecolbertreport.cc.com/videos/px6doe/colbert-super-pac---issue-ads", "http://thecolbertreport.cc.com/videos/otywae/colbert-super-pac---issue-ads---trevor-potter", "http://thecolbertreport.cc.com/videos/6nuhjw/blood-in-the-water---larry-taylor-s-anti-semitic-slur", "http://thecolbertreport.cc.com/videos/xisem8/niall-ferguson", "http://thecolbertreport.cc.com/videos/e9gc1y/sign-off---goodnight" ], "guest": "Niall Ferguson" }, { "date": "2011-11-08", "videos": [ "http://thecolbertreport.cc.com/videos/m4n0nh/herman-cain-won-t-be-stopped", "http://thecolbertreport.cc.com/videos/yk540u/colbert-platinum---wealth-under-siege", "http://thecolbertreport.cc.com/videos/3krrxg/the-blitzkrieg-on-grinchitude---fired-santa-claus---colbert-super-pac-christmas", "http://thecolbertreport.cc.com/videos/s4sqap/seth-meyers", "http://thecolbertreport.cc.com/videos/fz9les/sign-off---custom-escape-yacht" ], "guest": "Seth Meyers" }, { "date": "2011-11-09", "videos": [ "http://thecolbertreport.cc.com/videos/qc00ca/intro---11-9-11", "http://thecolbertreport.cc.com/videos/gs7ppt/herman-cain-s-democrat-conspiracy", "http://thecolbertreport.cc.com/videos/e94bhi/the-word---bully-pulpit", "http://thecolbertreport.cc.com/videos/v1f4n3/americone-dream-of-the-future", "http://thecolbertreport.cc.com/videos/3k5pcf/james-martin", "http://thecolbertreport.cc.com/videos/9mrd4k/sign-off---feeding-jimmy-fallon-s-portrait" ], "guest": "Father Jim Martin" }, { "date": "2011-11-10", "videos": [ "http://thecolbertreport.cc.com/videos/qfc9xd/shock---aussie", "http://thecolbertreport.cc.com/videos/pg0q9t/rick-perry-s-sorry--oops", "http://thecolbertreport.cc.com/videos/g1tcu5/occupy-u-c--berkeley", "http://thecolbertreport.cc.com/videos/4vt0hx/brian-eno" ], "guest": "Brian Eno" }, { "date": "2011-11-14", "videos": [ "http://thecolbertreport.cc.com/videos/ufww4s/intro---11-14-11", "http://thecolbertreport.cc.com/videos/3zodum/cbs-snubs-michele-bachmann", "http://thecolbertreport.cc.com/videos/5vb30b/keystone-xl-oil-pipeline---bill-mckibben", "http://thecolbertreport.cc.com/videos/hu2y6t/vodka-tampons", "http://thecolbertreport.cc.com/videos/uoo5c0/thomas-thwaites", "http://thecolbertreport.cc.com/videos/9x16t1/sign-off---leaf-blower" ], "guest": "Thomas Thwaites" }, { "date": "2011-11-15", "videos": [ "http://thecolbertreport.cc.com/videos/c73ioe/occupy-wall-street-decamped", "http://thecolbertreport.cc.com/videos/qzjgvi/difference-makers---jimmy-justice", "http://thecolbertreport.cc.com/videos/ufsd5o/bears---balls---celebrity-relics---gooooooold-", "http://thecolbertreport.cc.com/videos/f1tu06/elijah-wood", "http://thecolbertreport.cc.com/videos/0vuu1j/sign-off---one-ring" ], "guest": "Elijah Wood" }, { "date": "2011-11-16", "videos": [ "http://thecolbertreport.cc.com/videos/znljdd/intro---11-16-11", "http://thecolbertreport.cc.com/videos/ukaw6z/newt-gingrich-s-greek-cruise", "http://thecolbertreport.cc.com/videos/6dwdiy/tip-wag---pin-ups-for-ron-paul--movie-torture-tactics---offensive-merchandise", "http://thecolbertreport.cc.com/videos/z9qeks/elderly-occupier-pepper-sprayed", "http://thecolbertreport.cc.com/videos/94gywl/chris-matthews", "http://thecolbertreport.cc.com/videos/aekw8v/colbert-report-bedtime-stories---dragon---wizard" ], "guest": "Chris Matthews" }, { "date": "2011-11-17", "videos": [ "http://thecolbertreport.cc.com/videos/hnwps8/intro---11-17-11", "http://thecolbertreport.cc.com/videos/41apq9/people-magazine-s-sexiest-man-alive-2011", "http://thecolbertreport.cc.com/videos/wdsxo5/the-word---the-1-", "http://thecolbertreport.cc.com/videos/h76098/thought-for-food---pushy-pops", "http://thecolbertreport.cc.com/videos/y88hzi/susan-orlean", "http://thecolbertreport.cc.com/videos/8d1q2a/sign-off---shout-out-to-the-black-belles" ], "guest": "Susan Orlean" }, { "date": "2011-11-28", "videos": [ "http://thecolbertreport.cc.com/videos/no4xhk/intro---11-28-11", "http://thecolbertreport.cc.com/videos/58ikdq/violent-black-friday", "http://thecolbertreport.cc.com/videos/h84vbf/tip-wag---barack-obama-s-omission--mitt-romney-s-ad---lululemon-s-tagline", "http://thecolbertreport.cc.com/videos/qggo98/stephen-colbert-s-mereporters", "http://thecolbertreport.cc.com/videos/ut1g77/siddhartha-mukherjee", "http://thecolbertreport.cc.com/videos/np8x21/sign-off---macbook" ], "guest": "Siddhartha Mukherjee" }, { "date": "2011-11-29", "videos": [ "http://thecolbertreport.cc.com/videos/92ekqe/intro---11-29-11", "http://thecolbertreport.cc.com/videos/fafzt9/he-said--she-said--she-said--she-said--she-said--she-was-paid-not-to-say", "http://thecolbertreport.cc.com/videos/r8p3nn/yahweh-or-no-way---altered-catholic-mass--papal-seat-belt---offensive-vodka-ad", "http://thecolbertreport.cc.com/videos/4dohxr/tinariwen-with-kyp-malone---tunde-adebimpe", "http://thecolbertreport.cc.com/videos/9nbfru/sign-off---tinariwen--album" ], "guest": "Tinariwen" }, { "date": "2011-11-30", "videos": [ "http://thecolbertreport.cc.com/videos/fc3loc/newt-gingrich-denies-lobbying", "http://thecolbertreport.cc.com/videos/akure9/barney-frank-s-retirement", "http://thecolbertreport.cc.com/videos/d0x6zg/better-know-a-district---massachusetts--4th---barney-frank-update", "http://thecolbertreport.cc.com/videos/j1oeb0/conservative-siri", "http://thecolbertreport.cc.com/videos/okgz78/stephen-sondheim", "http://thecolbertreport.cc.com/videos/ga76kd/sign-off---goodnight" ], "guest": "Stephen Sondheim" }, { "date": "2011-12-01", "videos": [ "http://thecolbertreport.cc.com/videos/eclhxy/in-herman-cain-s-defense", "http://thecolbertreport.cc.com/videos/70sj7m/stop-online-piracy-act", "http://thecolbertreport.cc.com/videos/nmrgz9/stop-online-piracy-act---danny-goldberg---jonathan-zittrain", "http://thecolbertreport.cc.com/videos/pzi69s/mitt-romney-gets-testy", "http://thecolbertreport.cc.com/videos/pmypbg/richard-branson", "http://thecolbertreport.cc.com/videos/rhwqc7/sign-off---fire-extinguishing-powder" ], "guest": "Richard Branson" }, { "date": "2011-12-05", "videos": [ "http://thecolbertreport.cc.com/videos/yy5x27/2011-kennedy-center-honors", "http://thecolbertreport.cc.com/videos/xn3r3g/mysteries-of-the-ancient-unknown---2012-end-of-times", "http://thecolbertreport.cc.com/videos/f2zdhx/herman-cain-drops-out", "http://thecolbertreport.cc.com/videos/dt8216/jimmie-johnson", "http://thecolbertreport.cc.com/videos/0ewfq6/sign-off---slow-motion-race-replay" ], "guest": "Jimmie Johnson" }, { "date": "2011-12-06", "videos": [ "http://thecolbertreport.cc.com/videos/1o3huj/american-drone-in-iran", "http://thecolbertreport.cc.com/videos/fcu2h2/donald-s-trumptacular---stephen-s-south-carolina-serious--classy-republican-debate", "http://thecolbertreport.cc.com/videos/dphj6u/the-black-keys", "http://thecolbertreport.cc.com/videos/4t05a5/sign-off---glenn-eichler-s-graphic-novel" ], "guest": "The Black Keys" }, { "date": "2011-12-07", "videos": [ "http://thecolbertreport.cc.com/videos/5kfnqe/stephen-colbert-s-south-carolina-serious--classy-republican-debate---save-the-date", "http://thecolbertreport.cc.com/videos/h7qfup/colbert-super-pac---stephen-s-south-carolina-referendum", "http://thecolbertreport.cc.com/videos/6dds1t/colbert-super-pac---stephen-s-south-carolina-referendum---dick-harpootlian", "http://thecolbertreport.cc.com/videos/c66w64/jon-huntsman-sr--s-ad-buy", "http://thecolbertreport.cc.com/videos/pueyvf/david-hallberg" ], "guest": "David Hallberg" }, { "date": "2011-12-08", "videos": [ "http://thecolbertreport.cc.com/videos/08g4y6/intro---12-8-11", "http://thecolbertreport.cc.com/videos/sd4lua/michigan-s-snow-cone-machines", "http://thecolbertreport.cc.com/videos/lbdchz/cheating-death---chicken-pox-lollipops---fecal-transplants", "http://thecolbertreport.cc.com/videos/3d10i3/rick-perry-s-pro-christmas-ad", "http://thecolbertreport.cc.com/videos/ovws10/jack-abramoff", "http://thecolbertreport.cc.com/videos/gt2hau/sign-off---goodnight" ], "guest": "Jack Abramoff" }, { "date": "2011-12-12", "videos": [ "http://thecolbertreport.cc.com/videos/iu3gnx/intro---12-12-11", "http://thecolbertreport.cc.com/videos/52a05g/christmas-cram", "http://thecolbertreport.cc.com/videos/zuufyt/tip-wag---liberal-dictionary---newt-gingrich-alert", "http://thecolbertreport.cc.com/videos/qv9fb0/norway-s-butter-shortage", "http://thecolbertreport.cc.com/videos/kx2u80/samuel-l--jackson", "http://thecolbertreport.cc.com/videos/v6sdfa/sign-off---merry-christmas" ], "guest": "Samuel L. Jackson" }, { "date": "2011-12-13", "videos": [ "http://thecolbertreport.cc.com/videos/rwb03h/intro---12-13-11", "http://thecolbertreport.cc.com/videos/7zgxss/trump-s-cancellation---stephen-s-south-carolina-serious--classy-re-announcement", "http://thecolbertreport.cc.com/videos/frhjj0/the-word---let-them-buy-cake", "http://thecolbertreport.cc.com/videos/flxy99/anderson-cooper-s-phallus-party-accusation", "http://thecolbertreport.cc.com/videos/sn7cpj/mark-whitaker", "http://thecolbertreport.cc.com/videos/eswjdg/sign-off---goodnight" ], "guest": "Mark Whitaker" }, { "date": "2011-12-14", "videos": [ "http://thecolbertreport.cc.com/videos/18wgz1/stephen-colbert-s-south-carolina-serious--classy-debate---nat-geo-wild-s-response", "http://thecolbertreport.cc.com/videos/khf3hx/christine-o-donnell-s-endorsement", "http://thecolbertreport.cc.com/videos/vg9vdy/stephen-colbert-s-big-gay-roundup---military-bestiality---homosexual-penguins", "http://thecolbertreport.cc.com/videos/qvom30/tv-hat", "http://thecolbertreport.cc.com/videos/lqslc3/ray-odierno" ], "guest": "Gen. Raymond Odierno" }, { "date": "2011-12-15", "videos": [ "http://thecolbertreport.cc.com/videos/8900sr/stephen-colbert-s-south-carolina-serious--classy-republican-debate---network-battle", "http://thecolbertreport.cc.com/videos/dwccb9/the-blitzkrieg-on-grinchitude---department-store-cutbacks---gun-filled-christmas", "http://thecolbertreport.cc.com/videos/9ugow2/fox-news--mitt-romney-photo-flub", "http://thecolbertreport.cc.com/videos/iqj0p8/daniel-craig", "http://thecolbertreport.cc.com/videos/tri39n/2011-goodbye" ], "guest": "Daniel Craig" } ], "2012": [ { "date": "2012-01-03", "videos": [ "http://thecolbertreport.cc.com/videos/9u9qx6/iowa-caucus-2012", "http://thecolbertreport.cc.com/videos/yx6r23/iowa-caucus---caucus-goer-s-choice", "http://thecolbertreport.cc.com/videos/5mqn59/iowa-caucus---megyn-shelly-s-prediction", "http://thecolbertreport.cc.com/videos/qx2w8n/kim-jong-il---in-memoriam", "http://thecolbertreport.cc.com/videos/ioguwl/bernie-sanders", "http://thecolbertreport.cc.com/videos/4ob0g2/sign-off---megyn-shelly" ], "guest": "Sen. Bernie Sanders" }, { "date": "2012-01-04", "videos": [ "http://thecolbertreport.cc.com/videos/s8am6m/iowa-caucus---mitt-romney-s-victory-speech---rick-santorum-s-coup", "http://thecolbertreport.cc.com/videos/m762nz/iowa-caucus---not-mitt-romney-s-super-pac", "http://thecolbertreport.cc.com/videos/x195wh/iowa-caucus---cable-news-coverage", "http://thecolbertreport.cc.com/videos/61k2nf/iowa-caucus---woi-in-des-moines-reports", "http://thecolbertreport.cc.com/videos/1ja4vs/john-heilemann", "http://thecolbertreport.cc.com/videos/xyq4st/sign-off---erin-burnett-pong" ], "guest": "John Heilemann" }, { "date": "2012-01-05", "videos": [ "http://thecolbertreport.cc.com/videos/8t37qs/intro---1-5-12", "http://thecolbertreport.cc.com/videos/js72my/fun-rick-santorum", "http://thecolbertreport.cc.com/videos/5xw4yi/the-word---catch-2012", "http://thecolbertreport.cc.com/videos/sjbolu/god-s-message-to-pat-robertson", "http://thecolbertreport.cc.com/videos/lgtesz/steve-case", "http://thecolbertreport.cc.com/videos/o6dbzj/sign-off---mayan-headwear---sacrificial-chicken" ], "guest": "Steve Case" }, { "date": "2012-01-09", "videos": [ "http://thecolbertreport.cc.com/videos/y3wl1i/intro---1-9-12", "http://thecolbertreport.cc.com/videos/3m6txc/new-hampshire-gop-debates", "http://thecolbertreport.cc.com/videos/l08ywe/new-hampshire-gop-debates---moderate-extremes", "http://thecolbertreport.cc.com/videos/75c0w9/rick-santorum-on-gay-parents---bla-people", "http://thecolbertreport.cc.com/videos/e3zsob/melissa-harris-perry", "http://thecolbertreport.cc.com/videos/j2sskk/sign-off---jack-daniels" ], "guest": "Neil Shubin" }, { "date": "2012-01-10", "videos": [ "http://thecolbertreport.cc.com/videos/9llvcg/new-hampshire-primary---mitt-romney-s-gaffe", "http://thecolbertreport.cc.com/videos/m98f4t/tip-wag---irresponsible-dead-people---insensitive-papa-john-s", "http://thecolbertreport.cc.com/videos/wwvi39/malice-in-blunderland", "http://thecolbertreport.cc.com/videos/fqk2fh/bill-moyers", "http://thecolbertreport.cc.com/videos/wdmkv8/sign-off---turntable" ], "guest": "Ben Gibbard" }, { "date": "2012-01-11", "videos": [ "http://thecolbertreport.cc.com/videos/bxzp6z/intro---1-11-12", "http://thecolbertreport.cc.com/videos/f8j0ng/commitment-to-mitt-romney", "http://thecolbertreport.cc.com/videos/7t7ct3/south-carolina-s-fresh-face", "http://thecolbertreport.cc.com/videos/73ux63/stephen-colbert-s-end-of-the-world-of-the-week---phobos-grunt", "http://thecolbertreport.cc.com/videos/wx04iy/george-stephanopoulos", "http://thecolbertreport.cc.com/videos/vjhrm3/sign-off---decision-of-a-lifetime" ], "guest": "George Stephanopoulos" }, { "date": "2012-01-12", "videos": [ "http://thecolbertreport.cc.com/videos/hrwtsb/colbert-super-pac---coordination-problem", "http://thecolbertreport.cc.com/videos/av6bvx/colbert-super-pac---coordination-resolution-with-jon-stewart", "http://thecolbertreport.cc.com/videos/5otlsk/mike-d-s-hip-hop-semantics", "http://thecolbertreport.cc.com/videos/ui35sv/mike-allen", "http://thecolbertreport.cc.com/videos/mnp9up/sign-off---ipad-ebook" ], "guest": "Mike Allen" }, { "date": "2012-01-16", "videos": [ "http://thecolbertreport.cc.com/videos/dyktip/colbert-super-pac-ad---not-abel", "http://thecolbertreport.cc.com/videos/lec1ln/intro---1-16-12", "http://thecolbertreport.cc.com/videos/ke9tkw/jon-huntsman-out--rick-santorum-in", "http://thecolbertreport.cc.com/videos/buf78z/colbert-super-pac---mitt-romney-attack-ad", "http://thecolbertreport.cc.com/videos/uh4wcy/the-word---raise-cain", "http://thecolbertreport.cc.com/videos/cgtb89/scott-douglas", "http://thecolbertreport.cc.com/videos/td091t/sign-off----this-is-herman-cain--" ], "guest": "Rev. Scott Douglas" }, { "date": "2012-01-17", "videos": [ "http://thecolbertreport.cc.com/videos/knvkbe/colbert-super-pac-ad---double-negative", "http://thecolbertreport.cc.com/videos/fe4nep/intro---1-17-12", "http://thecolbertreport.cc.com/videos/ufvy9m/colbert-super-pac---gop-attack-ads---herman-cain-ad", "http://thecolbertreport.cc.com/videos/qil57h/yahweh-or-no-way---online-christian-dating---seven-days-of-sex", "http://thecolbertreport.cc.com/videos/0alvjc/jennifer-granholm", "http://thecolbertreport.cc.com/videos/mbnjnn/sign-off---vote-for-herman-cain" ], "guest": "Jennifer Granholm" }, { "date": "2012-01-18", "videos": [ "http://thecolbertreport.cc.com/videos/bpbhtr/colbert-super-pac-ad---modern-stage-combat", "http://thecolbertreport.cc.com/videos/2f7upq/intro---1-18-12", "http://thecolbertreport.cc.com/videos/q6xocp/newt-gingrich-s-performance---mitt-romney-s-tax-returns", "http://thecolbertreport.cc.com/videos/fx3xum/stephen-s-approval-rating", "http://thecolbertreport.cc.com/videos/zvmmfs/colbert-super-pac---civility-ad---stephen-s-south-carolina-rally", "http://thecolbertreport.cc.com/videos/orzoc4/sopa---pipa", "http://thecolbertreport.cc.com/videos/i8qam3/david-frum", "http://thecolbertreport.cc.com/videos/3mfkme/sign-off---south-carolina-rally-with-herman-cain" ], "guest": "David Frum" }, { "date": "2012-01-19", "videos": [ "http://thecolbertreport.cc.com/videos/pebyno/troubled-gop-waters---stephen-under-attack", "http://thecolbertreport.cc.com/videos/7qvxgu/colbert-super-pac---john-paul-stevens", "http://thecolbertreport.cc.com/videos/k3pbui/carrie-rebora-barratt", "http://thecolbertreport.cc.com/videos/nno4x3/sign-off---flight-to-charleston--sc" ], "guest": "Carrie Rebora Barratt" }, { "date": "2012-01-23", "videos": [ "http://thecolbertreport.cc.com/videos/kachyg/intro---1-23-12", "http://thecolbertreport.cc.com/videos/iql42n/newt-gingrich-s-south-carolina-kill", "http://thecolbertreport.cc.com/videos/50z46i/herman-cain-s-bittersweet-south-carolina-victory", "http://thecolbertreport.cc.com/videos/e3y9nd/rock-me-like-a-herman-cain-south-cain-olina-primary-rally---cain-elot-revisited", "http://thecolbertreport.cc.com/videos/vim94y/bruce-bueno-de-mesquita", "http://thecolbertreport.cc.com/videos/gu52h0/sign-off---sniffing-a-marker" ], "guest": "Bruce Bueno De Mesquita" }, { "date": "2012-01-24", "videos": [ "http://thecolbertreport.cc.com/videos/n2rnnr/exclusive---rock-me-like-a-herman-cain-south-cain-olina-primary-rally-pt--1", "http://thecolbertreport.cc.com/videos/jc76hc/exclusive---rock-me-like-a-herman-cain-south-cain-olina-primary-rally-pt--2", "http://thecolbertreport.cc.com/videos/jog4lt/intro---1-24-12", "http://thecolbertreport.cc.com/videos/q3ro37/colbert-super-pac---hostage-crisis---day-2", "http://thecolbertreport.cc.com/videos/zop8mz/18th-gop-debate", "http://thecolbertreport.cc.com/videos/gzi3ec/grim-colberty-tales-with-maurice-sendak-pt--1", "http://thecolbertreport.cc.com/videos/kg7hw1/rick-santorum-s-senior-pandering", "http://thecolbertreport.cc.com/videos/381zai/andrew-sullivan", "http://thecolbertreport.cc.com/videos/14903e/sign-off---reading--bumble-ardy-" ], "guest": "Andrew Sullivan" }, { "date": "2012-01-25", "videos": [ "http://thecolbertreport.cc.com/videos/9f0foj/2012-state-of-the-union-address---gop-rebuttals", "http://thecolbertreport.cc.com/videos/2uwi0i/grim-colberty-tales-with-maurice-sendak-pt--2", "http://thecolbertreport.cc.com/videos/3un4zv/un-american-news---china-edition", "http://thecolbertreport.cc.com/videos/kwuhk6/terry-gross", "http://thecolbertreport.cc.com/videos/r2j6o1/sign-off---colonel-tuxedo-s-cat-food" ], "guest": "Terry Gross" }, { "date": "2012-01-26", "videos": [ "http://thecolbertreport.cc.com/videos/05qh1w/colbert-super-pac---hostage-crisis---day-4", "http://thecolbertreport.cc.com/videos/5gcr8j/mitt-romney---newt-gingrich-in-florida", "http://thecolbertreport.cc.com/videos/pudtpb/sean-hannity-s--the-great-american-panel-", "http://thecolbertreport.cc.com/videos/y191mp/the-great-available-panel", "http://thecolbertreport.cc.com/videos/sg6jkh/drew-barrymore", "http://thecolbertreport.cc.com/videos/kk56ka/sign-off---football-throwing" ], "guest": "Drew Barrymore" }, { "date": "2012-01-30", "videos": [ "http://thecolbertreport.cc.com/videos/rcm539/colbert-super-pac---the-great-chase", "http://thecolbertreport.cc.com/videos/1ws9v2/colbert-super-pac---return-of-the-pac", "http://thecolbertreport.cc.com/videos/n3pkmh/threatdown---barack-obama--fundamentalist-flippers---coked-up-diplomats", "http://thecolbertreport.cc.com/videos/tlfrhi/gop---the-hispanic-vote", "http://thecolbertreport.cc.com/videos/amck6x/laurence-tribe", "http://thecolbertreport.cc.com/videos/v9f5m2/sign-off---shouting-goodnight" ], "guest": "Laurence H. Tribe" }, { "date": "2012-01-31", "videos": [ "http://thecolbertreport.cc.com/videos/62pas5/intro---1-31-12", "http://thecolbertreport.cc.com/videos/f44hch/newt-gingrich-s-supporters", "http://thecolbertreport.cc.com/videos/udnnzi/the-word---american-history-x-d", "http://thecolbertreport.cc.com/videos/qs311n/bjork", "http://thecolbertreport.cc.com/videos/u7u9lh/sign-off----biophilia-" ], "guest": "Bjork" }, { "date": "2012-02-01", "videos": [ "http://thecolbertreport.cc.com/videos/yk5cpe/intro---2-1-12", "http://thecolbertreport.cc.com/videos/o3p6c2/black-history-celebration-moment", "http://thecolbertreport.cc.com/videos/3nohh2/mitt-romney-s-florida-victory", "http://thecolbertreport.cc.com/videos/uswa0x/colbert-super-pac---americone-dream-super-pack", "http://thecolbertreport.cc.com/videos/kqctrf/ameena-matthews", "http://thecolbertreport.cc.com/videos/5m98im/sign-off---americone-dream-super-pack" ], "guest": "Ameena Matthews" }, { "date": "2012-02-02", "videos": [ "http://thecolbertreport.cc.com/videos/4dia59/intro---2-2-12", "http://thecolbertreport.cc.com/videos/uu5zmj/the-meaning-of-groundhog-day", "http://thecolbertreport.cc.com/videos/bwbr2v/america-s-biggest-super-pac-donors", "http://thecolbertreport.cc.com/videos/lh3kq3/colbert-super-pac---thank-you", "http://thecolbertreport.cc.com/videos/04ottd/survivor-sues-newt-gingrich---dave-bickler", "http://thecolbertreport.cc.com/videos/a7r0zs/christiane-amanpour", "http://thecolbertreport.cc.com/videos/uzu0lz/sign-off---goodnight" ], "guest": "Christiane Amanpour" }, { "date": "2012-02-13", "videos": [ "http://thecolbertreport.cc.com/videos/hhq4en/intro---2-13-12", "http://thecolbertreport.cc.com/videos/2kynbu/linsanity-", "http://thecolbertreport.cc.com/videos/hgxqxc/people-who-are-destroying-america---sawstop", "http://thecolbertreport.cc.com/videos/ju995r/stephen-colbert-s-free-americone-dream-day", "http://thecolbertreport.cc.com/videos/eks7za/bill-mckibben", "http://thecolbertreport.cc.com/videos/k6qadu/sign-off---colbert-nation-newborn" ], "guest": "Bill McKibben" }, { "date": "2012-02-14", "videos": [ "http://thecolbertreport.cc.com/videos/u5h2yo/intro---2-14-12", "http://thecolbertreport.cc.com/videos/3rk6lv/westminster-kennel-club-dog-show-2012", "http://thecolbertreport.cc.com/videos/jx9ojl/contraception-crusade", "http://thecolbertreport.cc.com/videos/lyzukj/tip-wag---gay-building-marriage---transportation-safety-board-cell-phone-ban", "http://thecolbertreport.cc.com/videos/ej01p5/william-broad", "http://thecolbertreport.cc.com/videos/mhuyjx/sign-off---stephen-s-friend-lou-dog" ], "guest": "William Broad" }, { "date": "2012-02-20", "videos": [ "http://thecolbertreport.cc.com/videos/f1ta15/intro---2-20-12", "http://thecolbertreport.cc.com/videos/7ghzcu/mitt-romney---donald-trump-in-michigan", "http://thecolbertreport.cc.com/videos/lydem1/rick-santorum-s-energy-war-alarm", "http://thecolbertreport.cc.com/videos/tqad40/ann-patchett", "http://thecolbertreport.cc.com/videos/qgsly5/sign-off---caught-looking" ], "guest": "Ann Patchett" }, { "date": "2012-02-21", "videos": [ "http://thecolbertreport.cc.com/videos/vdtnp9/intro---2-21-12", "http://thecolbertreport.cc.com/videos/dgnc7d/douchebag-showdown", "http://thecolbertreport.cc.com/videos/mnahgd/colbert-super-pac---nancy-pelosi-s-ad---barack-obama-s-super-pac", "http://thecolbertreport.cc.com/videos/s0vtdx/robert-kagan", "http://thecolbertreport.cc.com/videos/x36uyb/sign-off---dark-lord-of-the-sith" ], "guest": "Robert Kagan" }, { "date": "2012-02-22", "videos": [ "http://thecolbertreport.cc.com/videos/n05gam/intro---2-22-12", "http://thecolbertreport.cc.com/videos/krghr1/stephen-s-lenten-sacrifice", "http://thecolbertreport.cc.com/videos/dv9iqc/the-word---surrender-to-a-buyer-power", "http://thecolbertreport.cc.com/videos/w2qw1t/better-know-a-district---california-s-8th", "http://thecolbertreport.cc.com/videos/d6raxz/nancy-pelosi", "http://thecolbertreport.cc.com/videos/9mdx7s/sign-off---conquistador-sacrifice" ], "guest": "Rep. Nancy Pelosi" }, { "date": "2012-02-23", "videos": [ "http://thecolbertreport.cc.com/videos/g3b2me/arizona-gop-debate", "http://thecolbertreport.cc.com/videos/6wnf2j/posthumous-mormon-baptism", "http://thecolbertreport.cc.com/videos/zzgfft/wheat-thins-sponsortunity", "http://thecolbertreport.cc.com/videos/jshg47/placido-domingo" ], "guest": "Placido Domingo" }, { "date": "2012-02-27", "videos": [ "http://thecolbertreport.cc.com/videos/6llqzw/mitt-romney-s---rick-santorum-s-michigan-campaigns", "http://thecolbertreport.cc.com/videos/45yrtw/peggielene-bartels", "http://thecolbertreport.cc.com/videos/xr2dmf/sign-off---goodnight" ], "guest": "Peggielene Bartels" }, { "date": "2012-02-28", "videos": [ "http://thecolbertreport.cc.com/videos/l484x8/intro---2-28-12", "http://thecolbertreport.cc.com/videos/b44eo3/the-colbert-report-s-1000th-show", "http://thecolbertreport.cc.com/videos/hsyhov/rising-oil-prices---john-kilduff", "http://thecolbertreport.cc.com/videos/gqa08a/mr--smith-goes-to-the-state-legislature--then-later-possibly-washington---bob-morris---kyle-jones", "http://thecolbertreport.cc.com/videos/0xatad/ross-eisenbrey", "http://thecolbertreport.cc.com/videos/8ebxgr/stephen-s-1000th-ticket" ], "guest": "Ross Eisenbrey" }, { "date": "2012-02-29", "videos": [ "http://thecolbertreport.cc.com/videos/ueosv6/intro---2-29-12", "http://thecolbertreport.cc.com/videos/y0ejfo/countdown-to-loving-mitt", "http://thecolbertreport.cc.com/videos/3dllp7/the-word---change-we-can-believe-in", "http://thecolbertreport.cc.com/videos/3adb3i/tip-wag---kansas--male-birth-control-pill---new-york-s-babyccino", "http://thecolbertreport.cc.com/videos/puth71/william-shatner", "http://thecolbertreport.cc.com/videos/dhcxcx/sign-off---goodnight" ], "guest": "William Shatner" }, { "date": "2012-03-01", "videos": [ "http://thecolbertreport.cc.com/videos/ueosv6/intro---2-29-12", "http://thecolbertreport.cc.com/videos/y0ejfo/countdown-to-loving-mitt", "http://thecolbertreport.cc.com/videos/3dllp7/the-word---change-we-can-believe-in", "http://thecolbertreport.cc.com/videos/3adb3i/tip-wag---kansas--male-birth-control-pill---new-york-s-babyccino", "http://thecolbertreport.cc.com/videos/puth71/william-shatner", "http://thecolbertreport.cc.com/videos/dhcxcx/sign-off---goodnight" ], "guest": "Claire Danes" }, { "date": "2012-03-01", "videos": [ "http://thecolbertreport.cc.com/videos/eolisf/countdown-to-loving-mitt---jeb-bush", "http://thecolbertreport.cc.com/videos/bf1ekb/people-who-are-destroying-america---teachers", "http://thecolbertreport.cc.com/videos/ncu1ti/mysteries-of-the-ancient-unknown---yo-mama-jokes", "http://thecolbertreport.cc.com/videos/tw0ear/claire-danes", "http://thecolbertreport.cc.com/videos/4gz8ak/sign-off---jeb-bush-s-portrait" ], "guest": "Claire Danes" }, { "date": "2012-03-05", "videos": [ "http://thecolbertreport.cc.com/videos/xceapv/countdown-to-loving-mitt---super-tuesday", "http://thecolbertreport.cc.com/videos/29dn96/rush-limbaugh-apologizes-to-sandra-fluke", "http://thecolbertreport.cc.com/videos/pww7ru/sport-report---pete-weber--danica-patrick---the-new-orleans-saints", "http://thecolbertreport.cc.com/videos/nwk5lf/audra-mcdonald" ], "guest": "Audra McDonald" }, { "date": "2012-03-06", "videos": [ "http://thecolbertreport.cc.com/videos/4yvx5w/super-tuesday-party--putin-s-win---india-s-state-assembly", "http://thecolbertreport.cc.com/videos/nzr8wl/the-word---due-or-die", "http://thecolbertreport.cc.com/videos/rxyz0z/thought-for-food---responsible-snacking---second-breakfast", "http://thecolbertreport.cc.com/videos/h24vfx/jonathan-safran-foer", "http://thecolbertreport.cc.com/videos/em4ksp/sign-off---good-catch" ], "guest": "Jonathan Safran Foer" }, { "date": "2012-03-07", "videos": [ "http://thecolbertreport.cc.com/videos/i93vkc/intro---3-7-12", "http://thecolbertreport.cc.com/videos/3df60s/higgs-boson-humor", "http://thecolbertreport.cc.com/videos/y5rjly/countdown-to-loving-mitt---super-tuesday-results", "http://thecolbertreport.cc.com/videos/7v4ikl/cyber-republican-convention", "http://thecolbertreport.cc.com/videos/ciyqhs/iranian-irony-threat", "http://thecolbertreport.cc.com/videos/060vqq/willem-dafoe", "http://thecolbertreport.cc.com/videos/c0qp1t/sign-off---goodnight" ], "guest": "Willem Dafoe" }, { "date": "2012-03-08", "videos": [ "http://thecolbertreport.cc.com/videos/3nl0qx/eric-bolling-s-secret-gas-prices-plan", "http://thecolbertreport.cc.com/videos/fig5ri/herman-cain-s-avant-garde-pac-ad" ], "guest": "Don Fleming, Elvis Costello, Emmylou Harris" }, { "date": "2012-03-12", "videos": [ "http://thecolbertreport.cc.com/videos/c4fdt8/daylight-savings-socialism", "http://thecolbertreport.cc.com/videos/2v3qmo/republicans--southern-strategy", "http://thecolbertreport.cc.com/videos/lo9wk9/republicans--southern-strategy---dave--mudcat--saunders", "http://thecolbertreport.cc.com/videos/16w3vh/cheating-death---bacon-cure-for-nosebleeds---sound-wave-sterility", "http://thecolbertreport.cc.com/videos/nmtsxp/katherine-boo", "http://thecolbertreport.cc.com/videos/owkzk2/sign-off---goodnight-with-a-smile" ], "guest": "Katherine Boo" }, { "date": "2012-03-13", "videos": [ "http://thecolbertreport.cc.com/videos/bz7jdm/who-s-not-honoring-me-now----seattle-s-pop-conference", "http://thecolbertreport.cc.com/videos/qn0q26/threatdown---stoned-pat-robertson--muslim-american-reality-tv---pampered-bears", "http://thecolbertreport.cc.com/videos/h98570/republican-southern-primary---simplified-speeches", "http://thecolbertreport.cc.com/videos/msz5qh/andrew-bird" ], "guest": "Andrew Bird" }, { "date": "2012-03-14", "videos": [ "http://thecolbertreport.cc.com/videos/m77cwc/greg-smith-s-goldman-sachs-op-ed", "http://thecolbertreport.cc.com/videos/rwxeui/republican-southern-primary---rick-santorum-against-teleprompters", "http://thecolbertreport.cc.com/videos/yeczkv/republican-southern-primary---kermit-the-frog", "http://thecolbertreport.cc.com/videos/7n8gsd/monkey-on-the-lam---alabama", "http://thecolbertreport.cc.com/videos/zkum1o/mark-mckinnon", "http://thecolbertreport.cc.com/videos/d8t6uu/sign-off---goodnight" ], "guest": "Mark McKinnon" }, { "date": "2012-03-15", "videos": [ "http://thecolbertreport.cc.com/videos/eq8308/airport-security-for-senior-citizens", "http://thecolbertreport.cc.com/videos/zjy3q9/rush-limbaugh-loses-more-sponsors", "http://thecolbertreport.cc.com/videos/krx9gw/rick-santorum-visits-puerto-rico-and-speaks-from-his-heart", "http://thecolbertreport.cc.com/videos/vh5p5b/ireland-s-imported-sperm---ethnically-accurate-headgear", "http://thecolbertreport.cc.com/videos/8o29gb/dexter-filkins", "http://thecolbertreport.cc.com/videos/e66q9g/sign-off---goodnight" ], "guest": "Dexter Filkins" }, { "date": "2012-03-26", "videos": [ "http://thecolbertreport.cc.com/videos/no5p1a/exclusive---david-page-extended-interview", "http://thecolbertreport.cc.com/videos/a8lnqt/intro---3-26-12", "http://thecolbertreport.cc.com/videos/3ejcul/stephen-s-spring-break", "http://thecolbertreport.cc.com/videos/008ndt/the-word---dressed-to-kill", "http://thecolbertreport.cc.com/videos/7faawr/mitt-romney-etch-a-sketch-comparison", "http://thecolbertreport.cc.com/videos/rc1xqe/david-page", "http://thecolbertreport.cc.com/videos/20xgt7/sign-off---goodnight" ], "guest": "Dr. David Page" }, { "date": "2012-03-27", "videos": [ "http://thecolbertreport.cc.com/videos/rk3w4e/intro---3-27-12", "http://thecolbertreport.cc.com/videos/cua8o6/barack-obama-gun-control-conspiracy", "http://thecolbertreport.cc.com/videos/ykhpki/tip-wag---anti-prejudice-drug---dick-cheney-s-heart", "http://thecolbertreport.cc.com/videos/53yh09/thought-for-food---tacocopter", "http://thecolbertreport.cc.com/videos/ghn5jt/charles-murray", "http://thecolbertreport.cc.com/videos/y9plha/sign-off---goodnight" ], "guest": "Charles Murray" }, { "date": "2012-03-28", "videos": [ "http://thecolbertreport.cc.com/videos/lg7nrp/the-supreme-court-weighs-in-on-obamacare", "http://thecolbertreport.cc.com/videos/svf90k/the-supreme-court-weighs-in-on-obamacare---emily-bazelon", "http://thecolbertreport.cc.com/videos/tnvz1z/the-conservative-teen", "http://thecolbertreport.cc.com/videos/bmkpwj/mark-ruffalo", "http://thecolbertreport.cc.com/videos/jjebsm/sign-off---goodnight-snack" ], "guest": "Mark Ruffalo" }, { "date": "2012-03-29", "videos": [ "http://thecolbertreport.cc.com/videos/7erwuh/stephen-offers-colbert-super-pac-super-fun-pack", "http://thecolbertreport.cc.com/videos/9bgxui/intro---3-29-12", "http://thecolbertreport.cc.com/videos/nuvo4m/the-mega-millions-lottery", "http://thecolbertreport.cc.com/videos/7qagdx/colbert-super-pac---texan-supporters---super-fun-pack", "http://thecolbertreport.cc.com/videos/2m6prp/mitt-romney-tells-a-funny-story", "http://thecolbertreport.cc.com/videos/7dpy0t/peter-beinart", "http://thecolbertreport.cc.com/videos/r5oifs/sign-off---colbert-super-pac-super-fun-pack" ], "guest": "Peter Beinart" }, { "date": "2012-04-02", "videos": [ "http://thecolbertreport.cc.com/videos/8f8tya/intro---4-2-12", "http://thecolbertreport.cc.com/videos/1nq1ce/colbert-super-pac---super-fun-pack-treasure-hunt", "http://thecolbertreport.cc.com/videos/1bsxs9/the-beefstate-governors", "http://thecolbertreport.cc.com/videos/fmif88/yahweh-or-no-way---christian-card-counters--pope-benedict-on-marxism---pope-cologne", "http://thecolbertreport.cc.com/videos/5yl006/gary-johnson", "http://thecolbertreport.cc.com/videos/77h3h1/sign-off---goodnight" ], "guest": "Gov. Gary Johnson" }, { "date": "2012-04-03", "videos": [ "http://thecolbertreport.cc.com/videos/33j3ar/lftb-colbology", "http://thecolbertreport.cc.com/videos/z52jo4/colbert-super-pac---super-fun-pack-not-legal-advice---certificate-of-presidenthood", "http://thecolbertreport.cc.com/videos/v3p6ss/colbert-super-pac-shh----501c4-disclosure", "http://thecolbertreport.cc.com/videos/ag45p1/colbert-super-pac-shh----501c4-disclosure---trevor-potter", "http://thecolbertreport.cc.com/videos/y4berw/rick-santorum-speaks-from-his-heart---california-colleges", "http://thecolbertreport.cc.com/videos/1b9vpb/nikki-haley", "http://thecolbertreport.cc.com/videos/asl5su/sign-off---helmeted-ham-rove" ], "guest": "Gov. Nikki Haley" }, { "date": "2012-04-04", "videos": [ "http://thecolbertreport.cc.com/videos/2ihe55/intro---4-4-12", "http://thecolbertreport.cc.com/videos/6y1ct4/peabody-award-for-colbert-super-pac", "http://thecolbertreport.cc.com/videos/4io3p9/settling-for-mitt-romney", "http://thecolbertreport.cc.com/videos/x8e4ps/colbert-super-pac---republicans---the-latino-vote", "http://thecolbertreport.cc.com/videos/6ml3sk/wilford-brimley-calls---quaker-oats-makeover", "http://thecolbertreport.cc.com/videos/plj4a3/robert-ballard", "http://thecolbertreport.cc.com/videos/qyyf0b/sign-off---second-peabody-award" ], "guest": "Robert D. Ballard" }, { "date": "2012-04-05", "videos": [ "http://thecolbertreport.cc.com/videos/om9vmg/bad-news-about-good-unemployment-news", "http://thecolbertreport.cc.com/videos/lnmh56/colbert-s-very-wanted---manatee-mailbox", "http://thecolbertreport.cc.com/videos/0u9fik/dirt-bike-badass-in-the-lincoln-tunnel", "http://thecolbertreport.cc.com/videos/ji5xxu/anne-rice", "http://thecolbertreport.cc.com/videos/si0xcn/sign-off---lincoln-tunnel" ], "guest": "Anne Rice" }, { "date": "2012-04-09", "videos": [ "http://thecolbertreport.cc.com/videos/8ziziz/easter-under-attack---bunny-vs--bilby", "http://thecolbertreport.cc.com/videos/oyaen8/searching-for-mr--right---mitt-romney---iowa-s-steve-king", "http://thecolbertreport.cc.com/videos/csp74m/stephen-colbert-s-shame-spiral---senior-citizen-gymnasts", "http://thecolbertreport.cc.com/videos/kruk2j/bob-lutz", "http://thecolbertreport.cc.com/videos/9wc34u/sign-off---remembering-mike-wallace" ], "guest": "Bob Lutz" }, { "date": "2012-04-10", "videos": [ "http://thecolbertreport.cc.com/videos/2n6qw1/intro---4-10-12", "http://thecolbertreport.cc.com/videos/82ub2z/rick-santorum-leaves-presidential-race", "http://thecolbertreport.cc.com/videos/qu7492/i-got-the-tweets-like-grassley", "http://thecolbertreport.cc.com/videos/3la5nh/tip-wag---coal-industry-crackdown---box-spring-bunker", "http://thecolbertreport.cc.com/videos/mfxyfn/stephen-colbert-s-lady-heroes---glen-grothman", "http://thecolbertreport.cc.com/videos/o4ah40/richard-hersh", "http://thecolbertreport.cc.com/videos/es5mrc/sign-off---goodnight" ], "guest": "Richard Hersh" }, { "date": "2012-04-11", "videos": [ "http://thecolbertreport.cc.com/videos/3ygjj0/amped-up-for-michelle-obama", "http://thecolbertreport.cc.com/videos/bc3gqm/the-word---whuh-how-", "http://thecolbertreport.cc.com/videos/ingur1/employing-a-veteran---sergeant-bryan-escobedo", "http://thecolbertreport.cc.com/videos/f8r4k5/michelle-obama-pt--1", "http://thecolbertreport.cc.com/videos/v3wlgc/michelle-obama-pt--2", "http://thecolbertreport.cc.com/videos/u0cci1/sign-off---goodnight" ], "guest": "Michelle Obama" }, { "date": "2012-04-12", "videos": [ "http://thecolbertreport.cc.com/videos/pzrkzg/intro---4-12-12", "http://thecolbertreport.cc.com/videos/m5gmsh/the-other-war-on-women", "http://thecolbertreport.cc.com/videos/v73czf/stephen-colbert-s-end-of-the-world-of-the-week---survivalist-singles---tsunami-food", "http://thecolbertreport.cc.com/videos/s55d89/cold-war-update---alleged-congressional-communists", "http://thecolbertreport.cc.com/videos/x9epzo/james-cameron", "http://thecolbertreport.cc.com/videos/avonwu/sign-off---goodnight" ], "guest": "James Cameron" }, { "date": "2012-04-16", "videos": [ "http://thecolbertreport.cc.com/videos/z2fjas/a-beautiful-war-for-women-segment", "http://thecolbertreport.cc.com/videos/2ixpov/secret-service-sex-scandal", "http://thecolbertreport.cc.com/videos/ilt6wv/a-beautiful-war-for-women", "http://thecolbertreport.cc.com/videos/44j8wl/newt-gingrich---gun-rights", "http://thecolbertreport.cc.com/videos/ru5vnr/bonnie-raitt" ], "guest": "Bonnie Raitt" }, { "date": "2012-04-17", "videos": [ "http://thecolbertreport.cc.com/videos/wpng4g/intro---4-17-12", "http://thecolbertreport.cc.com/videos/gxlf9b/mitt-romney-s-dinner-table-pranks", "http://thecolbertreport.cc.com/videos/sfsf06/thought-for-food---bug-food-coloring--hot-dog-stuffed-crust---drugged-poultry", "http://thecolbertreport.cc.com/videos/vklngm/gsa-spending-scandal", "http://thecolbertreport.cc.com/videos/6fhp9q/jonah-lehrer", "http://thecolbertreport.cc.com/videos/culsks/sign-off---goodnight" ], "guest": "Jonah Lehrer" }, { "date": "2012-04-18", "videos": [ "http://thecolbertreport.cc.com/videos/q3i7x8/intro---4-18-12", "http://thecolbertreport.cc.com/videos/ddq41n/searching-for-mr--right---mitt-romney---ohio-s-rob-portman", "http://thecolbertreport.cc.com/videos/er0kn7/the-word---gateway-hug", "http://thecolbertreport.cc.com/videos/vw1qdm/stephen-colbert-s-end-of-the-world-of-the-week---doomsday-preppers", "http://thecolbertreport.cc.com/videos/xzzk73/arianna-huffington", "http://thecolbertreport.cc.com/videos/tttdob/sign-off---goodnight-kiss" ], "guest": "Arianna Huffington" }, { "date": "2012-04-19", "videos": [ "http://thecolbertreport.cc.com/videos/hrfl05/intro---4-19-12", "http://thecolbertreport.cc.com/videos/a9n2pr/stephen-s-4-20-message", "http://thecolbertreport.cc.com/videos/zdgaqc/alpha-dog-of-the-week---cory-booker", "http://thecolbertreport.cc.com/videos/nb2ksl/the-enemy-within---bologna-border-bust", "http://thecolbertreport.cc.com/videos/uio9bo/time-s-2012-top-100-most-influential", "http://thecolbertreport.cc.com/videos/h2p67e/tavis-smiley---cornel-west", "http://thecolbertreport.cc.com/videos/g291q8/sign-off---time-s-top-100" ], "guest": "Tavis Smiley &amp; Cornel West" }, { "date": "2012-04-23", "videos": [ "http://thecolbertreport.cc.com/videos/4wypj5/intro---4-23-12", "http://thecolbertreport.cc.com/videos/m8blpo/steve-doocy-s-silver-spoon-subtext-reporting", "http://thecolbertreport.cc.com/videos/2gwl1y/tip-wag--pheromone-parties---arizona-s--pre-life--laws", "http://thecolbertreport.cc.com/videos/v2y3wl/mitt-romney-s-picnic-gaffe", "http://thecolbertreport.cc.com/videos/14wyxm/don-mcleroy", "http://thecolbertreport.cc.com/videos/l9d2q6/sign-off---goodnight" ], "guest": "Don McLeroy" }, { "date": "2012-04-24", "videos": [ "http://thecolbertreport.cc.com/videos/ly3so2/super-tuesday-ii--election-boogaloo---death-match-in-hellaware", "http://thecolbertreport.cc.com/videos/xmivrq/-i-am-a-pole--and-so-can-you---", "http://thecolbertreport.cc.com/videos/i4eh7r/canada-s-currency-coup", "http://thecolbertreport.cc.com/videos/ycnifi/magnus-carlsen", "http://thecolbertreport.cc.com/videos/cfkek7/sign-off---ipad" ], "guest": "Magnus Carlsen" }, { "date": "2012-04-25", "videos": [ "http://thecolbertreport.cc.com/videos/et0kro/intro---4-25-12", "http://thecolbertreport.cc.com/videos/or4jr5/nasa-retires-discovery---drops-spacebook", "http://thecolbertreport.cc.com/videos/6xkuod/the-word---united-we-can-t-stand-them", "http://thecolbertreport.cc.com/videos/gi36k3/cheating-death---crash-diet-feeding-tubes---scrotum-gel-injections", "http://thecolbertreport.cc.com/videos/88pieq/michael-sandel", "http://thecolbertreport.cc.com/videos/wduflz/sign-off---goodnight" ], "guest": "Michael Sandel" }, { "date": "2012-04-26", "videos": [ "http://thecolbertreport.cc.com/videos/xrzvpm/intro---4-26-12", "http://thecolbertreport.cc.com/videos/9rs6oa/barack-obama-s-slow-jam-backlash", "http://thecolbertreport.cc.com/videos/2w9amu/colbert-super-pac---super-fun-pack-1st-treasure-hunt-clue", "http://thecolbertreport.cc.com/videos/1ytfce/jack-white", "http://thecolbertreport.cc.com/videos/kymj2z/sign-off---montclair-film-festival" ], "guest": "Jack White" }, { "date": "2012-04-30", "videos": [ "http://thecolbertreport.cc.com/videos/l8r5un/intro---4-30-12", "http://thecolbertreport.cc.com/videos/u2x3gk/delicate-advice-for-chen-guangcheng", "http://thecolbertreport.cc.com/videos/g6gv3q/the-word---don-t-ask--don-t-show---tell", "http://thecolbertreport.cc.com/videos/z2rpip/concealing-weapons-in-style", "http://thecolbertreport.cc.com/videos/csg3jo/diane-keaton", "http://thecolbertreport.cc.com/videos/tly3vi/sign-off---stephen-s-fashionable-firearm" ], "guest": "Diane Keaton" }, { "date": "2012-05-01", "videos": [ "http://thecolbertreport.cc.com/videos/8gt820/intro---5-1-12", "http://thecolbertreport.cc.com/videos/pktymf/barack-obama---the-anniversary-of-bin-laden-s-assassination", "http://thecolbertreport.cc.com/videos/0zj7f4/paul-ryan-s-christian-budget-cuts", "http://thecolbertreport.cc.com/videos/7af7jl/paul-ryan-s-christian-budget-cuts---thomas-reese", "http://thecolbertreport.cc.com/videos/cpb2np/carne-ross", "http://thecolbertreport.cc.com/videos/a9ioqx/sign-off---goodnight" ], "guest": "Carne Ross" }, { "date": "2012-05-02", "videos": [ "http://thecolbertreport.cc.com/videos/jciyto/intro---5-2-12", "http://thecolbertreport.cc.com/videos/n232ru/richard-branson-shaped-ice-cubes", "http://thecolbertreport.cc.com/videos/goj2h9/the-word---debt-panels", "http://thecolbertreport.cc.com/videos/sv3iag/kermit-the-frog-s-german-tv-offense---hans-beinholtz", "http://thecolbertreport.cc.com/videos/luw0ia/jonathan-haidt", "http://thecolbertreport.cc.com/videos/k7vmo6/sign-off---stephen-colbert-s-6000k-norway-norwalkathon" ], "guest": "Jonathan Haidt" }, { "date": "2012-05-03", "videos": [ "http://thecolbertreport.cc.com/videos/msaxn6/newt-gingrich---mitt-romney-alliance-analogies", "http://thecolbertreport.cc.com/videos/eki0dc/colbert-super-pac---in-search-of-mr--larose", "http://thecolbertreport.cc.com/videos/2v2ixr/who-s-honoring-me-now----national-space-society---buzz-aldrin", "http://thecolbertreport.cc.com/videos/z3ac6o/lena-dunham", "http://thecolbertreport.cc.com/videos/1iw8uv/sign-off---2012-space-pioneer-award-for-mass-media" ], "guest": "Lena Dunham" }, { "date": "2012-05-07", "videos": [ "http://thecolbertreport.cc.com/videos/1jhhu2/uncensored---maurice-sendak-tribute----i-am-a-pole--and-so-can-you----release", "http://thecolbertreport.cc.com/videos/feswk7/intro---5-7-12", "http://thecolbertreport.cc.com/videos/d6nh6o/hand-disinfectant-drunk-teens", "http://thecolbertreport.cc.com/videos/d69ur0/joe-biden-s-same-sex-marriage-gaffe", "http://thecolbertreport.cc.com/videos/fplvtb/-pussy-hound--with-eric-mccormack", "http://thecolbertreport.cc.com/videos/jrnml0/threatdown---newscasting-bears", "http://thecolbertreport.cc.com/videos/u65qci/andy-cohen", "http://thecolbertreport.cc.com/videos/xh5269/sign-off---sound-effects-box" ], "guest": "Andy Cohen" }, { "date": "2012-05-08", "videos": [ "http://thecolbertreport.cc.com/videos/p05t1b/colbert-super-pac-shh----corporate-campaign-players---super-secret--spooky-pacs-", "http://thecolbertreport.cc.com/videos/b2tfg8/anonymous-attack-ads---claire-mccaskill", "http://thecolbertreport.cc.com/videos/ad10bn/michelle-alexander", "http://thecolbertreport.cc.com/videos/dsprai/sign-off----i-am-a-pole--and-so-can-you---" ], "guest": "Michelle Alexander" }, { "date": "2012-05-09", "videos": [ "http://thecolbertreport.cc.com/videos/v1k3ci/mexico-s-debate-playmate", "http://thecolbertreport.cc.com/videos/b6tiga/barack-obama-vs--north-carolina-on-gay-marriage", "http://thecolbertreport.cc.com/videos/t3omhb/jon-mcnaughton-s--nation-under-socialism--artwork", "http://thecolbertreport.cc.com/videos/o2c49w/anna-wintour", "http://thecolbertreport.cc.com/videos/bogip6/sign-off----i-am-a-pole--and-so-can-you----audiobook" ], "guest": "Anna Wintour" }, { "date": "2012-05-10", "videos": [ "http://thecolbertreport.cc.com/videos/6cwgo2/intro---5-10-12", "http://thecolbertreport.cc.com/videos/7lnqh4/mother-s-day-shout-out", "http://thecolbertreport.cc.com/videos/n27g4x/barack-obama-s-gay-blasphemy", "http://thecolbertreport.cc.com/videos/b9m4e5/threatdown---interdimensional-black-people--gay-strokes---manipulative-sicko-monkeys", "http://thecolbertreport.cc.com/videos/ytlc6i/wisconsin-s-fake-democrats", "http://thecolbertreport.cc.com/videos/v6gyoh/francis-collins", "http://thecolbertreport.cc.com/videos/vbl44w/sign-off---two-weeks-off---dry-roasted-peanuts" ], "guest": "Dr. Francis Collins" }, { "date": "2012-05-29", "videos": [ "http://thecolbertreport.cc.com/videos/hx8ph7/intro---5-29-12", "http://thecolbertreport.cc.com/videos/cpgg7x/who-s-honoring-me-now----peabody-awards---maxim-s-hot-100", "http://thecolbertreport.cc.com/videos/oo0mhd/donald-trump-s-creative-truth---mitt-romney-s-poll-numbers", "http://thecolbertreport.cc.com/videos/cw4fxf/un-american-news---egypt-s-presidential-elections", "http://thecolbertreport.cc.com/videos/32y78g/charlize-theron", "http://thecolbertreport.cc.com/videos/gr0i67/sign-off---goodnight" ], "guest": "Charlize Theron" }, { "date": "2012-05-30", "videos": [ "http://thecolbertreport.cc.com/videos/u7h1f8/intro---5-30-12", "http://thecolbertreport.cc.com/videos/kydmtj/mexico-s-drug---potato-chip-wars", "http://thecolbertreport.cc.com/videos/s73hgy/robert-mugabe-s-u-n--tourism-tribute", "http://thecolbertreport.cc.com/videos/dfm2k1/alan-alda", "http://thecolbertreport.cc.com/videos/b6lw83/sign-off---stephen-s-matchbox" ], "guest": "Alan Alda" }, { "date": "2012-05-31", "videos": [ "http://thecolbertreport.cc.com/videos/y3bfh6/buy-best-selling--i-am-a-pole--and-so-can-you---", "http://thecolbertreport.cc.com/videos/sib2qy/barack-obama-s-righteous-drone-strikes", "http://thecolbertreport.cc.com/videos/s3t2y6/the-word---two-birds-with-one-drone", "http://thecolbertreport.cc.com/videos/pufh72/michael-bloomberg-s-super-sized-soda-scheme", "http://thecolbertreport.cc.com/videos/pz3adl/jack-hitt", "http://thecolbertreport.cc.com/videos/e9e1b2/sign-off---welcome-baby-gwinn-" ], "guest": "Jack Hitt" }, { "date": "2012-06-04", "videos": [ "http://thecolbertreport.cc.com/videos/nhsal8/juvenile-speeches-from-congress---president-sparkle-talk", "http://thecolbertreport.cc.com/videos/w6itwj/the-word---sink-or-swim", "http://thecolbertreport.cc.com/videos/r7x6me/better-know-a-district---represent-o-map-6000---georgia-s-5th", "http://thecolbertreport.cc.com/videos/cx6fmy/john-lewis", "http://thecolbertreport.cc.com/videos/5u46bt/sign-off---goodnight" ], "guest": "Rep. John Lewis" }, { "date": "2012-06-05", "videos": [ "http://thecolbertreport.cc.com/videos/lg5ugg/intro---6-5-12", "http://thecolbertreport.cc.com/videos/xt64qc/cdc-zombie-apocalypse-statement", "http://thecolbertreport.cc.com/videos/w4utag/tip-wag---japanese-diet-goggles--u-s--sperm-exports---taxidermied-toys", "http://thecolbertreport.cc.com/videos/kkce78/self-marriage-problems", "http://thecolbertreport.cc.com/videos/90ifev/jill-biden", "http://thecolbertreport.cc.com/videos/hhgz9k/sign-off---goodnight" ], "guest": "Jill Biden" }, { "date": "2012-06-06", "videos": [ "http://thecolbertreport.cc.com/videos/ta5d10/transit-of-venus---mars-reality-show-pitch", "http://thecolbertreport.cc.com/videos/y1zpiy/wisconsin-s-recall-results", "http://thecolbertreport.cc.com/videos/0vve8r/difference-makers---larry-johnson", "http://thecolbertreport.cc.com/videos/pqv8yf/neil-patrick-harris", "http://thecolbertreport.cc.com/videos/1n5kn0/sign-off---ray-bradbury-tribute" ], "guest": "Neil Patrick Harris" }, { "date": "2012-06-07", "videos": [ "http://thecolbertreport.cc.com/videos/2l9h7f/intro---6-7-12", "http://thecolbertreport.cc.com/videos/n107py/corruption-on-pakistan-s--sesame-street-", "http://thecolbertreport.cc.com/videos/5zzgas/the-new-york-times--hit-job-on-mitt-romney", "http://thecolbertreport.cc.com/videos/mlqu18/a-teacup-pig---partisan-politics", "http://thecolbertreport.cc.com/videos/gfpnqx/regina-spektor", "http://thecolbertreport.cc.com/videos/8x9qre/colbert-super-pac---super-fun-pack-treasure-hunt-clue" ], "guest": "Regina Spektor" }, { "date": "2012-06-11", "videos": [ "http://thecolbertreport.cc.com/videos/8zxgdh/neil-degrasse-tyson-on--prometheus--gaffe", "http://thecolbertreport.cc.com/videos/4dkvt6/radical-feminist-nuns", "http://thecolbertreport.cc.com/videos/u1f5qa/radical-feminist-nuns---simone-campbell", "http://thecolbertreport.cc.com/videos/beuiqq/-banana-bunker--tutorial", "http://thecolbertreport.cc.com/videos/0lbz7s/martin-sheen", "http://thecolbertreport.cc.com/videos/h1jqol/sign-off---wooden-ruler" ], "guest": "Martin Sheen" }, { "date": "2012-06-12", "videos": [ "http://thecolbertreport.cc.com/videos/syl8av/intro---6-12-12", "http://thecolbertreport.cc.com/videos/4p817x/mitt-romney-s-blue-collar-equestrian-pastime", "http://thecolbertreport.cc.com/videos/nu56lh/barack-obama-s-anti-terror-leaks", "http://thecolbertreport.cc.com/videos/dfjz7v/barack-obama-s-jobs-gaffe---mitt-romney-s-courageous-comeback", "http://thecolbertreport.cc.com/videos/e4m68b/operation-artificial-swedener", "http://thecolbertreport.cc.com/videos/eici19/will-allen", "http://thecolbertreport.cc.com/videos/uaovz2/sign-off---stephen-s-equestrian-display" ], "guest": "Will Allen" }, { "date": "2012-06-13", "videos": [ "http://thecolbertreport.cc.com/videos/f93cwg/high-wire-walk-over-niagara-falls", "http://thecolbertreport.cc.com/videos/e61ypw/the-word---free-lunch", "http://thecolbertreport.cc.com/videos/clm6h7/the-enemy-within---apes-armed-with-ipads", "http://thecolbertreport.cc.com/videos/0nbwzv/gregg-allman", "http://thecolbertreport.cc.com/videos/0bcb4l/sign-off---goodnight" ], "guest": "Gregg Allman" }, { "date": "2012-06-14", "videos": [ "http://thecolbertreport.cc.com/videos/wdhef3/marijuana-legalization-as-election-hot-button-issue", "http://thecolbertreport.cc.com/videos/zy2va1/super-pac-super-cash---24-hour-political-ad-channels", "http://thecolbertreport.cc.com/videos/a5uuwa/cheating-death---penis-curvature-cures---single-women-sleep-aids", "http://thecolbertreport.cc.com/videos/jylspq/steve-coll", "http://thecolbertreport.cc.com/videos/nw9c2r/sign-off---bon-voyage--peter-gwinn" ], "guest": "Steve Coll" }, { "date": "2012-06-18", "videos": [ "http://thecolbertreport.cc.com/videos/34ngb2/intro---6-18-12", "http://thecolbertreport.cc.com/videos/c3nu3d/barack-obama-s-immigration-policy-change", "http://thecolbertreport.cc.com/videos/z9bjae/press-interruption-at-barack-obama-s-immigration-address", "http://thecolbertreport.cc.com/videos/f3coxy/operation-artificial-swedener---sweden-s-response", "http://thecolbertreport.cc.com/videos/x4uwku/paul-krugman", "http://thecolbertreport.cc.com/videos/fdw0ht/sign-off---goodnight" ], "guest": "Paul Krugman" }, { "date": "2012-06-19", "videos": [ "http://thecolbertreport.cc.com/videos/0r91gj/john-kerry-as-mitt-romney-in-debate-prep", "http://thecolbertreport.cc.com/videos/zxypkl/mitt-romney-s-champion-horse---dressage-tribute", "http://thecolbertreport.cc.com/videos/ugscr4/unscooped-dog-poop-crimes", "http://thecolbertreport.cc.com/videos/xdevam/olivia-wilde", "http://thecolbertreport.cc.com/videos/kada0a/sign-off---stephen-s-dressage-dance" ], "guest": "Olivia Wilde" }, { "date": "2012-06-20", "videos": [ "http://thecolbertreport.cc.com/videos/6q5qvo/intro---6-20-12", "http://thecolbertreport.cc.com/videos/w6vibi/asian-immigration-threat", "http://thecolbertreport.cc.com/videos/95tn0n/unraveling-the-operation-fast---furious-scandal", "http://thecolbertreport.cc.com/videos/b65og2/joe-the-plumber-s-controversial-gun-control-ad", "http://thecolbertreport.cc.com/videos/4h0l60/thought-for-food---doritos-tacos---flavorlopes", "http://thecolbertreport.cc.com/videos/lwb6am/daniel-klaidman", "http://thecolbertreport.cc.com/videos/31ptzz/sign-off---goodnight" ], "guest": "Daniel Klaidman" }, { "date": "2012-06-21", "videos": [ "http://thecolbertreport.cc.com/videos/7r29kf/egypt-s-presidential-election---hosni-mubarak-s-health", "http://thecolbertreport.cc.com/videos/zdprqc/threatdown---sicko-penguins--stoner-babies---terrorist-furniture", "http://thecolbertreport.cc.com/videos/5yjil8/operation-artificial-swedener---c-mon-sweden--take-a-chance-on-stephen", "http://thecolbertreport.cc.com/videos/e6ik9l/lawrence-krauss", "http://thecolbertreport.cc.com/videos/e8ivor/sign-off----a-universe-from-nothing-" ], "guest": "Lawrence Krauss" }, { "date": "2012-06-25", "videos": [ "http://thecolbertreport.cc.com/videos/ylc1ta/intro---6-25-12", "http://thecolbertreport.cc.com/videos/cbsvdk/colbert-news-alert---obamacare-supreme-court-ruling", "http://thecolbertreport.cc.com/videos/wn3vzl/colbert-news-alert---obamacare-supreme-court-ruling---richard-mourdock-s-responses", "http://thecolbertreport.cc.com/videos/1nhpf3/the-word---silver-maligning", "http://thecolbertreport.cc.com/videos/0u5f3i/i-s-on-edjukashun---study-drugs", "http://thecolbertreport.cc.com/videos/2q2di6/frank-deford", "http://thecolbertreport.cc.com/videos/wri423/sign-off---five-finger-fillet" ], "guest": "Frank Deford" }, { "date": "2012-06-26", "videos": [ "http://thecolbertreport.cc.com/videos/ifbnsf/intro---6-26-12", "http://thecolbertreport.cc.com/videos/8wlx7c/supreme-court-ruling-on-arizona-immigration-policy", "http://thecolbertreport.cc.com/videos/06bwvh/tip-wag---pixar-s-gay-agenda--america-s-obesity---adidas-shackle-sneakers", "http://thecolbertreport.cc.com/videos/ohfzqq/dish-network-s-autohop-service", "http://thecolbertreport.cc.com/videos/r8iy26/richard-ford", "http://thecolbertreport.cc.com/videos/ybvbi1/sign-off---goodnight" ], "guest": "Richard Ford" }, { "date": "2012-06-27", "videos": [ "http://thecolbertreport.cc.com/videos/g8onr9/colbert-super-pac-treasure-hunt-solution", "http://thecolbertreport.cc.com/videos/gl54n8/mitt-romney-s-victory-retreat---democrats--convention-deficit", "http://thecolbertreport.cc.com/videos/t2x64z/national-geographic-poll-on-alien-invasion-management", "http://thecolbertreport.cc.com/videos/td6pu4/blood-in-the-water---mike-turzai-s-voter-id-remarks", "http://thecolbertreport.cc.com/videos/5em8r3/rainbow-stuffed-gay-pride-oreo", "http://thecolbertreport.cc.com/videos/aj465n/melinda-gates", "http://thecolbertreport.cc.com/videos/bxvxkj/sign-off---oreo-cookie-plate" ], "guest": "Melinda Gates" }, { "date": "2012-06-28", "videos": [ "http://thecolbertreport.cc.com/videos/coii6k/cable-news-gaffe-on-obamacare-supreme-court-ruling", "http://thecolbertreport.cc.com/videos/p7wwtp/john-roberts--obamacare-swing-vote", "http://thecolbertreport.cc.com/videos/n5b9bc/obamacare---the-broccoli-argument", "http://thecolbertreport.cc.com/videos/xqmuun/obamacare---the-broccoli-argument---emily-bazelon", "http://thecolbertreport.cc.com/videos/843q05/aaron-sorkin", "http://thecolbertreport.cc.com/videos/hdpyh9/colbert-super-pac---super-fun-pack-treasure-finder" ], "guest": "Aaron Sorkin" }, { "date": "2012-07-16", "videos": [ "http://thecolbertreport.cc.com/videos/rkamql/intro---7-16-12", "http://thecolbertreport.cc.com/videos/nw0ci8/tomkat-s-divorce---anderson-cooper-s-sexual-orientation", "http://thecolbertreport.cc.com/videos/xmrkal/mitt-romney-s-retroactive-retirement-from-bain-capital", "http://thecolbertreport.cc.com/videos/hs3epw/thought-for-food---caffeine-edition---funeral-home-starbucks---car-coffee-makers", "http://thecolbertreport.cc.com/videos/gxb8p4/anne-marie-slaughter", "http://thecolbertreport.cc.com/videos/nj5kky/sign-off---smiles-or-whatever" ], "guest": "Anne-Marie Slaughter" }, { "date": "2012-07-17", "videos": [ "http://thecolbertreport.cc.com/videos/5r1yvx/nevada-s--none-of-the-above--is-fearsome-foe-for-gop", "http://thecolbertreport.cc.com/videos/577ry9/the-word---on-the-straight---narrow-minded", "http://thecolbertreport.cc.com/videos/xrrg9u/who-s-honoring-me-now----philadelphia-s-rosenbach-museum-and-library", "http://thecolbertreport.cc.com/videos/8qe1km/nas" ], "guest": "Nas" }, { "date": "2012-07-18", "videos": [ "http://thecolbertreport.cc.com/videos/xiottz/intro---7-18-12", "http://thecolbertreport.cc.com/videos/jhpgom/-struggling--waiters---waitresses-at-mitt-romney-s-fundraiser", "http://thecolbertreport.cc.com/videos/40x15i/tip-wag---christian-tablet-computer---rock-paper-scissors-robot", "http://thecolbertreport.cc.com/videos/5qgquz/stephen-colbert-s-metunes---def-leppard-s--forgeries--of-old-hits", "http://thecolbertreport.cc.com/videos/67w2nh/annise-parker", "http://thecolbertreport.cc.com/videos/2wz88p/sign-off---goodnight" ], "guest": "Mayor Annise D. Parker" }, { "date": "2012-07-19", "videos": [ "http://thecolbertreport.cc.com/videos/h8wtk8/fred-willard-arrested-for-lewd-conduct", "http://thecolbertreport.cc.com/videos/64cfhk/libor-interest-rate-scandal", "http://thecolbertreport.cc.com/videos/7dpxne/libor-interest-rate-scandal---dave-leonhardt", "http://thecolbertreport.cc.com/videos/uknspr/canada-s-economic-growth-despite-melting-currency", "http://thecolbertreport.cc.com/videos/xfd2bp/lisa-jackson", "http://thecolbertreport.cc.com/videos/iw4bs9/sign-off---goodnight" ], "guest": "Lisa Jackson" }, { "date": "2012-07-23", "videos": [ "http://thecolbertreport.cc.com/videos/imdi3o/intro---7-23-12", "http://thecolbertreport.cc.com/videos/0xmom4/interview-no-show--mike-tyson", "http://thecolbertreport.cc.com/videos/v7f1z0/shepard-smith-s-personal-reporting-style", "http://thecolbertreport.cc.com/videos/p2oill/partisan-speculation-over-colorado-shooter", "http://thecolbertreport.cc.com/videos/3cxwny/vikram-gandhi", "http://thecolbertreport.cc.com/videos/rwkf73/sign-off---goodnight" ], "guest": "Vikram Gandhi" }, { "date": "2012-07-24", "videos": [ "http://thecolbertreport.cc.com/videos/knsr5h/intro---7-24-12", "http://thecolbertreport.cc.com/videos/h74nmb/hamster-study-links-late-night-tv-with-depression", "http://thecolbertreport.cc.com/videos/zxif76/u-s--agriculture---drought-disaster", "http://thecolbertreport.cc.com/videos/x2crx4/u-s--agriculture---drought-disaster---bruce-babcock", "http://thecolbertreport.cc.com/videos/bov9or/james-fallows", "http://thecolbertreport.cc.com/videos/lpy9h0/sign-off---goodnight" ], "guest": "James Fallows" }, { "date": "2012-07-25", "videos": [ "http://thecolbertreport.cc.com/videos/0mcg76/mitt-romney-s-anglo-saxon-connection", "http://thecolbertreport.cc.com/videos/w5w9pn/mitt-romney-vs--barack-obama-on-small-business-owners", "http://thecolbertreport.cc.com/videos/x14yw9/the-word---1-man-show", "http://thecolbertreport.cc.com/videos/f7r40e/bibles-swapped-for--fifty-shades-of-grey-", "http://thecolbertreport.cc.com/videos/4414pc/dan-gross", "http://thecolbertreport.cc.com/videos/e1brl1/sign-off---goodnight" ], "guest": "Dan Gross" }, { "date": "2012-07-26", "videos": [ "http://thecolbertreport.cc.com/videos/vqlxb2/intro---7-26-12", "http://thecolbertreport.cc.com/videos/4fk2ow/sport-report---stephen-colbefrajilympic-expealacoverage-", "http://thecolbertreport.cc.com/videos/kycpil/mitt-romney-s-london-olympics-blunder", "http://thecolbertreport.cc.com/videos/lra5ae/chick-fil-a-s-anti-gay-marriage-announcement", "http://thecolbertreport.cc.com/videos/4nngh8/peter-westmacott", "http://thecolbertreport.cc.com/videos/ccwpvt/sign-off---colbert-nation-twins" ], "guest": "Amb. Peter Westmacott" }, { "date": "2012-07-30", "videos": [ "http://thecolbertreport.cc.com/videos/70ka18/mitt-romney-s-disinterest-in-dressage", "http://thecolbertreport.cc.com/videos/lav3uh/stephen-s-dressage-training-pt--1", "http://thecolbertreport.cc.com/videos/zdpacy/tony-robbins--signature-firewalk", "http://thecolbertreport.cc.com/videos/554xm8/joan-rivers", "http://thecolbertreport.cc.com/videos/d69lls/sign-off----i-hate-everyone----starting-with-me-" ], "guest": "Joan Rivers" }, { "date": "2012-07-31", "videos": [ "http://thecolbertreport.cc.com/videos/d1pkf4/intro---7-31-12", "http://thecolbertreport.cc.com/videos/sbevip/rick-gorka-s-press-outburst-in-poland", "http://thecolbertreport.cc.com/videos/8qmv9k/rafalca-s-impact-on-mitt-romney-s-vp-pick", "http://thecolbertreport.cc.com/videos/f5vsty/stephen-s-dressage-training-pt--2", "http://thecolbertreport.cc.com/videos/lfsrga/stephest-colbchella--012---rocktaugustfest", "http://thecolbertreport.cc.com/videos/p9ejfs/jeff-koons", "http://thecolbertreport.cc.com/videos/e0ikf9/sign-off---goodnight" ], "guest": "Jeff Koons" }, { "date": "2012-08-01", "videos": [ "http://thecolbertreport.cc.com/videos/fjidln/obama-administration-s-birth-control-mandate", "http://thecolbertreport.cc.com/videos/llkyw5/the--fiscal-cliff--conundrum---grover-norquist-s-tax-pledge", "http://thecolbertreport.cc.com/videos/u1lf6f/sport-report---stephen-colbefrajilympic-expealacoverage----gymnastics---swimming", "http://thecolbertreport.cc.com/videos/gayfdj/john-grunsfeld", "http://thecolbertreport.cc.com/videos/gwa2y4/sign-off---totem" ], "guest": "John Grunsfeld" }, { "date": "2012-08-02", "videos": [ "http://thecolbertreport.cc.com/videos/x1we2u/exclusive---better-know-a-district---missouri-s-3rd-or-1st---russ-carnahan", "http://thecolbertreport.cc.com/videos/3wx6bt/rafalca-s-first-day-of-dressage", "http://thecolbertreport.cc.com/videos/ql0bqa/nancy-pelosi-s-bkad-pact---the-disclose-act-filibuster", "http://thecolbertreport.cc.com/videos/tdj576/better-know-a-district---missouri-s-3rd-or-1st---russ-carnahan", "http://thecolbertreport.cc.com/videos/t85slm/thought-for-food---usda-meatless-mondays---plant-communication-research", "http://thecolbertreport.cc.com/videos/fyzakp/chris-hayes", "http://thecolbertreport.cc.com/videos/m1idm3/sign-off---carrot-nibble" ], "guest": "Chris Hayes" }, { "date": "2012-08-06", "videos": [ "http://thecolbertreport.cc.com/videos/kz6vda/intro---8-6-12", "http://thecolbertreport.cc.com/videos/h9qt0r/mars-rover-landing", "http://thecolbertreport.cc.com/videos/w2s6c0/chick-fil-a-appreciation-day", "http://thecolbertreport.cc.com/videos/x7yc4w/pete-seeger", "http://thecolbertreport.cc.com/videos/aj407y/sign-off----pete-seeger--in-his-own-words-" ], "guest": "Pete Seeger" }, { "date": "2012-08-07", "videos": [ "http://thecolbertreport.cc.com/videos/1vt8t5/sport-report---stephen-colbefrajilympic-expealacoverage----soft-anti-americanism", "http://thecolbertreport.cc.com/videos/k4260i/mitt-romney-s-protective-press-pool---running-mate-clues", "http://thecolbertreport.cc.com/videos/q82dz5/steve-king-s-dogfighting-defense", "http://thecolbertreport.cc.com/videos/nlroaz/mark-shriver", "http://thecolbertreport.cc.com/videos/jx7y7x/sign-off---goodnight" ], "guest": "Mark Shriver" }, { "date": "2012-08-08", "videos": [ "http://thecolbertreport.cc.com/videos/23mkh8/intro---8-8-12", "http://thecolbertreport.cc.com/videos/4fqxvr/obamacare---pizza-costs", "http://thecolbertreport.cc.com/videos/h3tu8s/cheating-death---sensor-enabled-pills---facelift-bungee-cords", "http://thecolbertreport.cc.com/videos/zgmish/liza-mundy", "http://thecolbertreport.cc.com/videos/d5p8ok/sign-off---vacsa-strap" ], "guest": "Liza Mundy" }, { "date": "2012-08-09", "videos": [ "http://thecolbertreport.cc.com/videos/8gpwtc/anti-muslim-attack-on-hillary-clinton-aide", "http://thecolbertreport.cc.com/videos/sr618c/better-know-a-district---minnesota-s-5th---keith-ellison", "http://thecolbertreport.cc.com/videos/zzeqj6/who-s-honoring-me-now----psychonomic-bulletin---review", "http://thecolbertreport.cc.com/videos/i891sf/woody-harrelson", "http://thecolbertreport.cc.com/videos/nynu71/sign-off---goodnight" ], "guest": "Woody Harrelson" }, { "date": "2012-08-13", "videos": [ "http://thecolbertreport.cc.com/videos/d4650t/stephest-colbchella--012---welcome-to-rocktaugustfest", "http://thecolbertreport.cc.com/videos/6jv3cb/mitt-romney-s-bold-running-mate-pick", "http://thecolbertreport.cc.com/videos/wk9zh3/stephest-colbchella--012---fun-", "http://thecolbertreport.cc.com/videos/r9jxwl/sign-off---stephest-colbchella--012---t-mobile-goodnight" ], "guest": "Fun." }, { "date": "2012-08-14", "videos": [ "http://thecolbertreport.cc.com/videos/9sxdgp/stephest-colbchella--012---rocktaugustfest-night-two", "http://thecolbertreport.cc.com/videos/ovgwtm/mitt-romney-s---paul-ryan-s-foreign-policy-credentials", "http://thecolbertreport.cc.com/videos/ajslu2/-stars-earn-stripes--reality-series", "http://thecolbertreport.cc.com/videos/4uk1xx/stephest-colbchella--012---grizzly-bear", "http://thecolbertreport.cc.com/videos/1eoihc/sign-off---stephest-colbchella--012---t-mobile-goodnight-auditions" ], "guest": "Grizzly Bear" }, { "date": "2012-08-15", "videos": [ "http://thecolbertreport.cc.com/videos/jus7dh/exclusive---stephest-colbchella--012---concert-setup-timelapse", "http://thecolbertreport.cc.com/videos/lkqb8i/stephest-colbchella--012---rocktaugustfest-night-three", "http://thecolbertreport.cc.com/videos/iwgkv9/fierce-five-interns", "http://thecolbertreport.cc.com/videos/tzk5xz/stephest-colbchella--012---intrepid-sea--air---space-museum", "http://thecolbertreport.cc.com/videos/buxzdm/stephest-colbchella--012---santigold", "http://thecolbertreport.cc.com/videos/891lvk/sign-off---stephest-colbchella--012---t-mobile-goodnight-with-grandmaster-flash" ], "guest": "The U.S. Women's Olympic Gymnastics team, Santigold" }, { "date": "2012-08-16", "videos": [ "http://thecolbertreport.cc.com/videos/bx6qnh/stephest-colbchella--012---rocktaugustfest-night-four", "http://thecolbertreport.cc.com/videos/tgqk3o/mitt-romney---paul-ryan---the-dynam-ish-duo", "http://thecolbertreport.cc.com/videos/ymbqe6/17th-amendment-under-attack", "http://thecolbertreport.cc.com/videos/x5cie8/stephest-colbchella--012---wayne-coyne", "http://thecolbertreport.cc.com/videos/ez1hov/sign-off---stephest-colbchella--012---t-mobile-goodnight-in-a-bubble" ], "guest": "The Flaming Lips" }, { "date": "2012-08-28", "videos": [ "http://thecolbertreport.cc.com/videos/z0q2d6/hurricane-isaac-at-gop-convention", "http://thecolbertreport.cc.com/videos/2a1lg4/colbert-super-pac---hurricane-isaac---stephen-s-money-convention", "http://thecolbertreport.cc.com/videos/kcyg86/todd-akin-s-abortion-gaffe", "http://thecolbertreport.cc.com/videos/2f1kwv/andrew-sullivan", "http://thecolbertreport.cc.com/videos/qomrph/sign-off---goodnight" ], "guest": "Andrew Sullivan" }, { "date": "2012-08-29", "videos": [ "http://thecolbertreport.cc.com/videos/ane28t/america-strikes-back---episode-ii---return-of-the-america-strikes-back--again", "http://thecolbertreport.cc.com/videos/std0vn/the-mitt-romney-story", "http://thecolbertreport.cc.com/videos/3teieb/the-mitt-romney-story---ann-romney-s-gop-convention-speech", "http://thecolbertreport.cc.com/videos/w1ej3a/mitt-romney-s-role-model", "http://thecolbertreport.cc.com/videos/n7yuw7/ayn-rand---paul-ryan", "http://thecolbertreport.cc.com/videos/v0fegj/jennifer-burns", "http://thecolbertreport.cc.com/videos/gxzmx3/sign-off---goodnight" ], "guest": "Jennifer Burns" }, { "date": "2012-08-30", "videos": [ "http://thecolbertreport.cc.com/videos/0pjdyn/america-strikes-back---episode-iii---the-phantom-money", "http://thecolbertreport.cc.com/videos/7543m5/the-gop-convention---mitt-romney-s-minority-appeal", "http://thecolbertreport.cc.com/videos/vo7txi/paul-ryan-s-misleading-gop-convention-speech", "http://thecolbertreport.cc.com/videos/ghjrfh/jon-huntsman-pt--1", "http://thecolbertreport.cc.com/videos/93jjo7/jon-huntsman-pt--2", "http://thecolbertreport.cc.com/videos/vi4rti/sign-off---goodnight" ], "guest": "Jon Huntsman" }, { "date": "2012-08-31", "videos": [ "http://thecolbertreport.cc.com/videos/x9yoif/america-strikes-back---episode-iv---a-new-ish-hope", "http://thecolbertreport.cc.com/videos/9czru3/mitt-romney-s--solid--gop-convention-speech", "http://thecolbertreport.cc.com/videos/spqhue/the-gop-convention-s-mystery-speaker", "http://thecolbertreport.cc.com/videos/qrijg7/the-gop-convention-s-mystery-speaker---clint-eastwood-s-chair", "http://thecolbertreport.cc.com/videos/cx5s7v/neil-armstrong-tribute", "http://thecolbertreport.cc.com/videos/n0qmbf/james-carville", "http://thecolbertreport.cc.com/videos/2cv31s/sign-off---goodnight" ], "guest": "James Carville" }, { "date": "2012-09-04", "videos": [ "http://thecolbertreport.cc.com/videos/r83jxh/exclusive---better-know-a-district---new-york-s-9th---yvette-clarke", "http://thecolbertreport.cc.com/videos/mxucyy/the-2012-people-s-party-congress-of-charlotte", "http://thecolbertreport.cc.com/videos/bg56qn/better-know-a-district---new-york-s-9th---yvette-clarke", "http://thecolbertreport.cc.com/videos/cy97ce/paul-ryan-s-marathon-time-gaffe", "http://thecolbertreport.cc.com/videos/stj7xj/reihan-salam", "http://thecolbertreport.cc.com/videos/awwi1z/sign-off---goodnight" ], "guest": "Reihan Salam" }, { "date": "2012-09-05", "videos": [ "http://thecolbertreport.cc.com/videos/4axjsp/the-2012-people-s-party-congress-of-charlotte---sound-system", "http://thecolbertreport.cc.com/videos/lnxbm7/the-2012-people-s-party-congress-of-charlotte---michelle-obama---tammy-duckworth", "http://thecolbertreport.cc.com/videos/zp0jy0/the-2012-people-s-party-congress-of-charlotte---michelle-obama-s-speech-tweets", "http://thecolbertreport.cc.com/videos/75ubcv/sport-report---nfl-referee-lockout", "http://thecolbertreport.cc.com/videos/fjhhan/michael-grunwald", "http://thecolbertreport.cc.com/videos/05j0ux/sign-off---goodnight" ], "guest": "Michael Grunwald" }, { "date": "2012-09-06", "videos": [ "http://thecolbertreport.cc.com/videos/vf84g8/the-2012-people-s-party-congress-of-charlotte---avoiding-water-gate--day-1", "http://thecolbertreport.cc.com/videos/qfodha/the-2012-people-s-party-congress-of-charlotte---bill-clinton---hill-poll", "http://thecolbertreport.cc.com/videos/p7kw6y/the-2012-people-s-party-congress-of-charlotte---god---jerusalem", "http://thecolbertreport.cc.com/videos/epwrup/bill-richardson", "http://thecolbertreport.cc.com/videos/8ivg8l/sign-off---taco-plate" ], "guest": "Bill Richardson" }, { "date": "2012-09-07", "videos": [ "http://thecolbertreport.cc.com/videos/9wdqkq/the-2012-people-s-party-congress-of-charlotte---youth-vote", "http://thecolbertreport.cc.com/videos/cr72mv/the-2012-people-s-party-congress-of-charlotte---tom-brokaw---barack-obama", "http://thecolbertreport.cc.com/videos/l9ys9b/rnc-convention-vs--dnc-convention", "http://thecolbertreport.cc.com/videos/6oqr0u/the-2012-people-s-party-congress-of-charlotte---colbert-bump", "http://thecolbertreport.cc.com/videos/oq50sl/ed-rendell", "http://thecolbertreport.cc.com/videos/fbd0do/sign-off---goodnight" ], "guest": "Ed Rendell" }, { "date": "2012-09-17", "videos": [ "http://thecolbertreport.cc.com/videos/ohliey/intro---9-17-12", "http://thecolbertreport.cc.com/videos/q2ib3a/values-voter-summit-gaffe", "http://thecolbertreport.cc.com/videos/kelspo/mitt-romney-s-libya-comments", "http://thecolbertreport.cc.com/videos/liknzb/atone-phone---ira-glass-calls", "http://thecolbertreport.cc.com/videos/454q6n/drew-faust", "http://thecolbertreport.cc.com/videos/lh4d2v/sign-off---shofar" ], "guest": "Drew Faust" }, { "date": "2012-09-18", "videos": [ "http://thecolbertreport.cc.com/videos/v7w7w3/intro---9-18-12", "http://thecolbertreport.cc.com/videos/53lqfp/logo-makeover-for-usa-today", "http://thecolbertreport.cc.com/videos/dsvsbf/mitt-romney-s-secret-video", "http://thecolbertreport.cc.com/videos/m021ol/tip-wag---apple-samsung-lawsuit---tabloid-clash", "http://thecolbertreport.cc.com/videos/ni1t1w/jeffrey-toobin", "http://thecolbertreport.cc.com/videos/qteu69/sign-off---shrimp-toss" ], "guest": "Jeffrey Toobin" }, { "date": "2012-09-19", "videos": [ "http://thecolbertreport.cc.com/videos/8pu5um/intro---9-19-12", "http://thecolbertreport.cc.com/videos/yf80jg/mitt-romney-s---barack-obama-s-secret-videos", "http://thecolbertreport.cc.com/videos/rdsd7t/the-word---ask-not", "http://thecolbertreport.cc.com/videos/4yfsux/wife-of-jesus", "http://thecolbertreport.cc.com/videos/3vyhzj/itzhak-perlman" ], "guest": "Itzhak Perlman" }, { "date": "2012-09-20", "videos": [ "http://thecolbertreport.cc.com/videos/8f3t3h/vladimir-putin-s-crane-flight", "http://thecolbertreport.cc.com/videos/asy3gz/mitt-romney-s-hispanic-outreach", "http://thecolbertreport.cc.com/videos/3f13ot/mitt-romney-s-hispanic-outreach---esteban-colberto", "http://thecolbertreport.cc.com/videos/2ufg9n/alpha-dog-of-the-week---cecilia-gimenez", "http://thecolbertreport.cc.com/videos/nxad9d/errol-morris", "http://thecolbertreport.cc.com/videos/sbgok9/sign-off---ask-o-matic" ], "guest": "Errol Morris" }, { "date": "2012-09-25", "videos": [ "http://thecolbertreport.cc.com/videos/kke43t/intro---9-25-12", "http://thecolbertreport.cc.com/videos/ahsdxc/mitt-romney-s-airplane-window-gaffe", "http://thecolbertreport.cc.com/videos/495xja/national-journal-poll", "http://thecolbertreport.cc.com/videos/9vebvz/-rolling-calamity--campaign----america-again--preview", "http://thecolbertreport.cc.com/videos/vk8jsq/sport-report---nfl-referee-lockout---replacement-refs---ratings", "http://thecolbertreport.cc.com/videos/1my2a8/claressa-shields", "http://thecolbertreport.cc.com/videos/n6n3t7/sign-off----america-again-" ], "guest": "Claressa Shields" }, { "date": "2012-09-26", "videos": [ "http://thecolbertreport.cc.com/videos/dfrukr/intro---9-26-12", "http://thecolbertreport.cc.com/videos/diooyo/yom-kippur---aporkalypse", "http://thecolbertreport.cc.com/videos/pnhcq0/obama-s-ottoman-empire", "http://thecolbertreport.cc.com/videos/kzi40s/40-days-to-save-america", "http://thecolbertreport.cc.com/videos/lsl385/jim-holt", "http://thecolbertreport.cc.com/videos/jwctvx/sign-off---turkish-delight" ], "guest": "Jim Holt" }, { "date": "2012-09-27", "videos": [ "http://thecolbertreport.cc.com/videos/373l0t/-america-again--re-becoming-the-greatness-we-never-weren-t-", "http://thecolbertreport.cc.com/videos/s9359o/mitt-romney-s-sliding-poll-numbers", "http://thecolbertreport.cc.com/videos/zpnkfm/-skewed--presidential-polls", "http://thecolbertreport.cc.com/videos/7tmsil/vince-gilligan-pt--1", "http://thecolbertreport.cc.com/videos/e6j3e4/vince-gilligan-pt--2", "http://thecolbertreport.cc.com/videos/xrnkns/sign-off----america-again-" ], "guest": "Vince Gilligan" }, { "date": "2012-10-01", "videos": [ "http://thecolbertreport.cc.com/videos/21ytsa/mitt-romney-s-tax-plan-math", "http://thecolbertreport.cc.com/videos/v5694x/the-word---supply-chained", "http://thecolbertreport.cc.com/videos/h64sbo/mahmoud-ahmadinejad-s-un-entourage", "http://thecolbertreport.cc.com/videos/k9q5kh/ben-folds-five" ], "guest": "Ben Folds Five" }, { "date": "2012-10-02", "videos": [ "http://thecolbertreport.cc.com/videos/5ujlwr/intro---10-2-12", "http://thecolbertreport.cc.com/videos/yeek7a/-america-again--release", "http://thecolbertreport.cc.com/videos/cy7c9f/pulpit-freedom-sunday", "http://thecolbertreport.cc.com/videos/x5r0se/pulpit-freedom-sunday---jim-garlow", "http://thecolbertreport.cc.com/videos/oe7wh2/debate-hype---mitt-s-strategy", "http://thecolbertreport.cc.com/videos/78yg26/jorge-ramos", "http://thecolbertreport.cc.com/videos/dictxb/sign-off----america-again--release" ], "guest": "Jorge Ramos" }, { "date": "2012-10-03", "videos": [ "http://thecolbertreport.cc.com/videos/ef28hc/intro---10-3-12", "http://thecolbertreport.cc.com/videos/05md2w/presidential-debates---mitt-romney-s-re-introduction", "http://thecolbertreport.cc.com/videos/2cmp66/george-will-s-political-post-racial-journalism", "http://thecolbertreport.cc.com/videos/idoutl/cheating-death---low-t", "http://thecolbertreport.cc.com/videos/nw3yhm/kenny-rogers", "http://thecolbertreport.cc.com/videos/rt3hz7/sign-off---banana-phone" ], "guest": "Kenny Rogers" }, { "date": "2012-10-04", "videos": [ "http://thecolbertreport.cc.com/videos/5uncqq/obama-s-debate-apathy---pbs", "http://thecolbertreport.cc.com/videos/cl08kb/chris-matthews-s-impotent-rage", "http://thecolbertreport.cc.com/videos/inrj8y/mitt-s-socialist-rhetoric---body-language", "http://thecolbertreport.cc.com/videos/mw7xqx/mitt-s--etch-a-sketch--behavior", "http://thecolbertreport.cc.com/videos/nvjrik/voter-fraud-alert---halloween---pennsylvania", "http://thecolbertreport.cc.com/videos/fkt99i/george-church", "http://thecolbertreport.cc.com/videos/8vqy9e/sign-off---rabbit-food" ], "guest": "Dr. George Church" }, { "date": "2012-10-08", "videos": [ "http://thecolbertreport.cc.com/videos/ohtrd9/intro---10-8-12", "http://thecolbertreport.cc.com/videos/53brnc/unemployment-below-eight-percent", "http://thecolbertreport.cc.com/videos/uey9b0/the-word---it-s-not-easy-having-green", "http://thecolbertreport.cc.com/videos/s8mn29/koch-brothers---orc-senate-candidate", "http://thecolbertreport.cc.com/videos/43khod/mark-kelly", "http://thecolbertreport.cc.com/videos/sq2eio/sign-off---welcome-baby-brumm-" ], "guest": "Mark Kelly" }, { "date": "2012-10-09", "videos": [ "http://thecolbertreport.cc.com/videos/htdpl2/intro---10-9-12", "http://thecolbertreport.cc.com/videos/69kfag/president-obama-s-obsessiveness-plea", "http://thecolbertreport.cc.com/videos/0g0ihq/smokin--pole---the-quest-for-arctic-riches---china---russia", "http://thecolbertreport.cc.com/videos/fu9mpp/mitt-romney-s-vague--long-winded-foreign-threats", "http://thecolbertreport.cc.com/videos/fgftvy/morrissey" ], "guest": "Morrissey" }, { "date": "2012-10-10", "videos": [ "http://thecolbertreport.cc.com/videos/4jb3d3/intro---10-10-12", "http://thecolbertreport.cc.com/videos/ejqp1v/beverage-based-polling---pizza-toppings-town-hall", "http://thecolbertreport.cc.com/videos/jur0u9/the-word---meducation", "http://thecolbertreport.cc.com/videos/t1y0rc/threatdown---apple-fan-bears--drunk-cars---bears", "http://thecolbertreport.cc.com/videos/plccwf/naomi-wolf", "http://thecolbertreport.cc.com/videos/od1her/sign-off----vagina--a-new-biography-" ], "guest": "Naomi Wolf" }, { "date": "2012-10-11", "videos": [ "http://thecolbertreport.cc.com/videos/6smkkc/intro---10-11-12", "http://thecolbertreport.cc.com/videos/kiyawb/the-vice-presidential-debate", "http://thecolbertreport.cc.com/videos/s190yi/this-changes-everything---obama-s-martian-gayness", "http://thecolbertreport.cc.com/videos/2ksunf/formidable-opponent---mitt-romney", "http://thecolbertreport.cc.com/videos/xhdwfk/chrystia-freeland", "http://thecolbertreport.cc.com/videos/zr1go5/sign-off---goodnight" ], "guest": "Chrystia Freeland" }, { "date": "2012-10-15", "videos": [ "http://thecolbertreport.cc.com/videos/fuzsdf/intro---10-15-12", "http://thecolbertreport.cc.com/videos/0bmyur/supersonic-space-jump", "http://thecolbertreport.cc.com/videos/iudpa7/tip-wag---norway---american-family-association", "http://thecolbertreport.cc.com/videos/0q2emr/monkey-on-the-lam---florida---monkey-on-the-gram", "http://thecolbertreport.cc.com/videos/zj6xib/evan-thomas", "http://thecolbertreport.cc.com/videos/n0kt18/sign-off---goodnight" ], "guest": "Evan Thomas" }, { "date": "2012-10-16", "videos": [ "http://thecolbertreport.cc.com/videos/keo9r0/the-wealth-edge----cool--debate-technology", "http://thecolbertreport.cc.com/videos/4aqbh6/affirmative-action-supreme-court-case", "http://thecolbertreport.cc.com/videos/y46z6y/affirmative-action-supreme-court-case---emily-bazelon", "http://thecolbertreport.cc.com/videos/4uld4g/paul-ryan-s-phony-campaign-photo", "http://thecolbertreport.cc.com/videos/4c7frp/cory-booker", "http://thecolbertreport.cc.com/videos/juen77/sign-off---iphone" ], "guest": "Cory Booker" }, { "date": "2012-10-17", "videos": [ "http://thecolbertreport.cc.com/videos/wd584x/second-presidential-debate-showdown", "http://thecolbertreport.cc.com/videos/rjvmac/libya-gate-scandal", "http://thecolbertreport.cc.com/videos/j531em/stupid-town-hall-topics", "http://thecolbertreport.cc.com/videos/jr7tf6/mitt-s-greatest-debate-triumph", "http://thecolbertreport.cc.com/videos/hhxtxg/alpha-dog-of-the-week---scott-desjarlais", "http://thecolbertreport.cc.com/videos/f4jil4/tyler-perry", "http://thecolbertreport.cc.com/videos/namywp/sign-off---loose-teeth" ], "guest": "Tyler Perry" }, { "date": "2012-10-18", "videos": [ "http://thecolbertreport.cc.com/videos/1dfeya/celebrity-campaign-endorsements", "http://thecolbertreport.cc.com/videos/rgzljg/mitt-s-first-day", "http://thecolbertreport.cc.com/videos/2q39xi/junk-food-feed", "http://thecolbertreport.cc.com/videos/xttei6/special-report---a-shucking-disaster---nightmare-at-the-mitchell-corn-palace", "http://thecolbertreport.cc.com/videos/t8vgd4/the-killers", "http://thecolbertreport.cc.com/videos/ieuitc/sign-off----battle-born-" ], "guest": "The Killers" }, { "date": "2012-10-22", "videos": [ "http://thecolbertreport.cc.com/videos/0t7wmw/virginia-s-voter-fraud-fighter", "http://thecolbertreport.cc.com/videos/jhyr4v/ceo-blackmail---fec-consent", "http://thecolbertreport.cc.com/videos/t1yx0h/governor-magorium-s-ganja-emporium", "http://thecolbertreport.cc.com/videos/8uddyg/donald-sadoway", "http://thecolbertreport.cc.com/videos/czceut/sign-off---goodnight" ], "guest": "Donald Sadoway" }, { "date": "2012-10-23", "videos": [ "http://thecolbertreport.cc.com/videos/nept6x/stephen-colbert-s-debate-2012-coverage", "http://thecolbertreport.cc.com/videos/wowfoq/elusive--mysterious--undecided-voters", "http://thecolbertreport.cc.com/videos/twexhe/lance-armstrong-s-doping-scandal", "http://thecolbertreport.cc.com/videos/hrawp4/john-grisham", "http://thecolbertreport.cc.com/videos/rxk7z1/sign-off---manischewitz" ], "guest": "John Grisham" }, { "date": "2012-10-24", "videos": [ "http://thecolbertreport.cc.com/videos/3gbfdl/intro---10-24-12", "http://thecolbertreport.cc.com/videos/ifrr4g/donald-trump-s-october-surprise", "http://thecolbertreport.cc.com/videos/n9028e/nonstop-libya-gate-questions", "http://thecolbertreport.cc.com/videos/gzidte/richard-mourdock-s-rape-comment", "http://thecolbertreport.cc.com/videos/swkt4w/anthony-everitt", "http://thecolbertreport.cc.com/videos/ug2zqb/sign-off---gop-rape-mention-tally" ], "guest": "Anthony Everitt" }, { "date": "2012-10-25", "videos": [ "http://thecolbertreport.cc.com/videos/7k4pkh/intro---10-25-12", "http://thecolbertreport.cc.com/videos/a0h9on/voting---hormones", "http://thecolbertreport.cc.com/videos/zu00re/stephen-ghoulbert-s-spooky-time-halloween-fun-guide---tom-hanks", "http://thecolbertreport.cc.com/videos/pb058e/mitch-daniels-pt--1", "http://thecolbertreport.cc.com/videos/9tzl4i/mitch-daniels-pt--2", "http://thecolbertreport.cc.com/videos/pstvp6/sign-off---murderer-skull-model" ], "guest": "Gov. Mitch Daniels" }, { "date": "2012-10-31", "videos": [ "http://thecolbertreport.cc.com/videos/rky5ab/hurricane-sandy-s-aftermath", "http://thecolbertreport.cc.com/videos/ey2jqz/hurricane-sandy---election-day", "http://thecolbertreport.cc.com/videos/lk60fg/flamboyant-sandy---federal-relief-debate", "http://thecolbertreport.cc.com/videos/5vx4ad/donald-trump-s-october-surprise-extension", "http://thecolbertreport.cc.com/videos/x89ju7/lilly-ledbetter", "http://thecolbertreport.cc.com/videos/jqfgo3/sign-off---american-red-cross---hurricane-sandy" ], "guest": "Lilly Ledbetter" }, { "date": "2012-11-01", "videos": [ "http://thecolbertreport.cc.com/videos/hk2ox4/intro---11-1-12", "http://thecolbertreport.cc.com/videos/mtuxrh/hurricane-sandy-traffic-ordeal", "http://thecolbertreport.cc.com/videos/pdmw4z/tip-wag---constant-documentation---billy-graham", "http://thecolbertreport.cc.com/videos/rmzkbz/david-byrne---st--vincent", "http://thecolbertreport.cc.com/videos/w4v4gd/sign-off---american-red-cross---hurricane-sandy" ], "guest": "David Byrne &amp; St. Vincent" }, { "date": "2012-11-05", "videos": [ "http://thecolbertreport.cc.com/videos/mm7c7b/colbert-super-pac---severe-candidate-warning", "http://thecolbertreport.cc.com/videos/h3qcht/shame-based-campaigning", "http://thecolbertreport.cc.com/videos/ga4hky/shame-based-campaigning---sasha-issenberg", "http://thecolbertreport.cc.com/videos/ef460s/-razor-tight--presidential-election", "http://thecolbertreport.cc.com/videos/tl7vb4/nate-silver", "http://thecolbertreport.cc.com/videos/i1cdch/sign-off---go-vote-" ], "guest": "Nate Silver" }, { "date": "2012-11-06", "videos": [ "http://thecolbertreport.cc.com/videos/2wfr8k/the-colbert-report-election-2012---who-will-replace-obama---012", "http://thecolbertreport.cc.com/videos/ydqq2x/the-colbert-report-election-2012---too-close-to-call", "http://thecolbertreport.cc.com/videos/b9hvj6/andrew-sullivan", "http://thecolbertreport.cc.com/videos/vghwne/senate-races---state-referenda", "http://thecolbertreport.cc.com/videos/cao81i/sign-off---election-reflections" ], "guest": "Andrew Sullivan" }, { "date": "2012-11-07", "videos": [ "http://thecolbertreport.cc.com/videos/d96ihg/intro---11-7-12", "http://thecolbertreport.cc.com/videos/zviz5s/four-more-years-of-hopey-change", "http://thecolbertreport.cc.com/videos/hbkurh/nontraditional-non-white-america", "http://thecolbertreport.cc.com/videos/btqtta/polling-irregularities---vote-by-phone-scam", "http://thecolbertreport.cc.com/videos/wjevw3/wind-power-s-health-hazards", "http://thecolbertreport.cc.com/videos/xs8d72/doris-kearns-goodwin", "http://thecolbertreport.cc.com/videos/6iwo2a/sign-off---solace-in-a-bottle" ], "guest": "Doris Kearns Goodwin" }, { "date": "2012-11-08", "videos": [ "http://thecolbertreport.cc.com/videos/lttdhm/intro---11-8-12", "http://thecolbertreport.cc.com/videos/op51y2/nor-easter---mitt-romney", "http://thecolbertreport.cc.com/videos/ryj0jw/difference-makers---stephen-dick-jr-", "http://thecolbertreport.cc.com/videos/25lwb9/the-plight-of-platonic-relationships", "http://thecolbertreport.cc.com/videos/doygtf/rachel-maddow", "http://thecolbertreport.cc.com/videos/jzxfgf/sign-off---goodnight" ], "guest": "Rachel Maddow" }, { "date": "2012-11-12", "videos": [ "http://thecolbertreport.cc.com/videos/3szdub/david-petraeus-s--all-in--affair", "http://thecolbertreport.cc.com/videos/kj1cs9/colbert-super-pac-shh----karl-rove---jon-stewart", "http://thecolbertreport.cc.com/videos/66y7dx/colbert-super-pac-shh----secret-second-501c4---trevor-potter", "http://thecolbertreport.cc.com/videos/tl4uce/blitzkrieg-on-grinchitude---santa-s-pipe", "http://thecolbertreport.cc.com/videos/6vpcf3/ken-burns", "http://thecolbertreport.cc.com/videos/3w1i4s/sign-off---goodbye-colbert-super-pac" ], "guest": "Ken Burns" }, { "date": "2012-11-13", "videos": [ "http://thecolbertreport.cc.com/videos/i9yvhl/intro---11-13-12", "http://thecolbertreport.cc.com/videos/uml8yd/2072--race-to-the-white-orb", "http://thecolbertreport.cc.com/videos/s5vmrx/tip-wag---pranab-mukherjee--brazilian-scientists--sonia-sotomayor", "http://thecolbertreport.cc.com/videos/icmpvx/newt-gingrich-pt--1", "http://thecolbertreport.cc.com/videos/61deqz/newt-gingrich-pt--2", "http://thecolbertreport.cc.com/videos/ujlf67/sign-off---goodnight" ], "guest": "Newt Gingrich" }, { "date": "2012-11-14", "videos": [ "http://thecolbertreport.cc.com/videos/e0pxrk/intro---11-14-12", "http://thecolbertreport.cc.com/videos/3zu15f/who-s-attacking-me-now----canadian-broadcasting-corporation", "http://thecolbertreport.cc.com/videos/kvs6wn/high-frequency-trading", "http://thecolbertreport.cc.com/videos/ba8i6j/high-frequency-trading---christopher-steiner", "http://thecolbertreport.cc.com/videos/wvf1nd/tony-kushner-pt--1", "http://thecolbertreport.cc.com/videos/ezygjv/tony-kushner-pt--2", "http://thecolbertreport.cc.com/videos/cz0sty/sign-off---goodnight" ], "guest": "Tony Kushner" }, { "date": "2012-11-15", "videos": [ "http://thecolbertreport.cc.com/videos/cazbp6/intro---11-15-12", "http://thecolbertreport.cc.com/videos/regxdh/millennial-generation-soup-campaign", "http://thecolbertreport.cc.com/videos/jy83mg/general-s-hospital", "http://thecolbertreport.cc.com/videos/xve006/cheating-death---flu-fighting-meth", "http://thecolbertreport.cc.com/videos/we1zlp/chris-stringer", "http://thecolbertreport.cc.com/videos/f23a7f/sign-off---the-colbert-report-s-seventh-anniversary" ], "guest": "Chris Stringer" }, { "date": "2012-11-26", "videos": [ "http://thecolbertreport.cc.com/videos/9ex0kp/intro---11-26-12", "http://thecolbertreport.cc.com/videos/i4lmrj/stephen-s-thanksgiving---holy-black-friday", "http://thecolbertreport.cc.com/videos/242ato/judge--jury---executioner---copyright-law", "http://thecolbertreport.cc.com/videos/ob3lcn/blitzkrieg-on-grinchitude---pope-benedict-xvi", "http://thecolbertreport.cc.com/videos/std5aq/jake-tapper", "http://thecolbertreport.cc.com/videos/o2lec3/sign-off---goodnight" ], "guest": "Jake Tapper" }, { "date": "2012-11-27", "videos": [ "http://thecolbertreport.cc.com/videos/oh9w4r/canada-s-grinch", "http://thecolbertreport.cc.com/videos/7imsna/the-fiscal-cliff-compromise", "http://thecolbertreport.cc.com/videos/72sdt0/the-fiscal-cliff-compromise---reihan-salam", "http://thecolbertreport.cc.com/videos/1fuekz/dolly-parton", "http://thecolbertreport.cc.com/videos/nqrlrq/sign-off---country-chords" ], "guest": "Dolly Parton" }, { "date": "2012-11-28", "videos": [ "http://thecolbertreport.cc.com/videos/ui3lan/intro---11-28-12", "http://thecolbertreport.cc.com/videos/omvkv3/record-powerball-jackpot", "http://thecolbertreport.cc.com/videos/tnr1l8/the-word---sisters-are-doing-it-to-themselves", "http://thecolbertreport.cc.com/videos/xpxkwl/filibuster-reform", "http://thecolbertreport.cc.com/videos/qc393o/frank-oz", "http://thecolbertreport.cc.com/videos/b9jkcc/sign-off---stephen-s-muppet" ], "guest": "Frank Oz" }, { "date": "2012-11-29", "videos": [ "http://thecolbertreport.cc.com/videos/gnb0gv/intro---11-29-12", "http://thecolbertreport.cc.com/videos/cehmsr/moon-shattering-news", "http://thecolbertreport.cc.com/videos/9o0ttj/tip-wag---gay-rights-pioneers---gun-dorms", "http://thecolbertreport.cc.com/videos/dgy710/top-10-of-2012---operation-killing--killing-kennedy-", "http://thecolbertreport.cc.com/videos/qyxymb/sean-carroll", "http://thecolbertreport.cc.com/videos/z8pd91/sign-off---acceptance-speech" ], "guest": "Sean Carroll" }, { "date": "2012-12-03", "videos": [ "http://thecolbertreport.cc.com/videos/c2msxt/the-pundit--or-colbert-and-back-again", "http://thecolbertreport.cc.com/videos/i94qww/the-pundit--or-colbert-and-back-again---hobbit-week-lineup", "http://thecolbertreport.cc.com/videos/zkpe65/the-word---base-instincts", "http://thecolbertreport.cc.com/videos/47ssk7/senior-moment---granny-pods", "http://thecolbertreport.cc.com/videos/zm84yu/ian-mckellen", "http://thecolbertreport.cc.com/videos/u8z3mx/sign-off---the-pundit--or-colbert-and-back-again---sting" ], "guest": "Ian McKellen" }, { "date": "2012-12-04", "videos": [ "http://thecolbertreport.cc.com/videos/ri5csw/the-pundit--or-colbert-and-back-again---hobbit-week-night-two", "http://thecolbertreport.cc.com/videos/q3aiti/low-t---low-o", "http://thecolbertreport.cc.com/videos/n7lg1x/kate-the-great-s-morning-sickness", "http://thecolbertreport.cc.com/videos/v8syf8/martin-freeman", "http://thecolbertreport.cc.com/videos/rmahy7/sign-off---the-pundit--or-colbert-and-back-again---rivendell" ], "guest": "Martin Freeman" }, { "date": "2012-12-05", "videos": [ "http://thecolbertreport.cc.com/videos/qtkdcn/the-pundit--or-colbert-and-back-again---hobbit-week-night-three", "http://thecolbertreport.cc.com/videos/6x66a7/the-word---hire-learning", "http://thecolbertreport.cc.com/videos/9j5qtc/politicos---paranoid-fantasies", "http://thecolbertreport.cc.com/videos/m8dp2f/andy-serkis", "http://thecolbertreport.cc.com/videos/msip4s/sign-off---the-pundit--or-colbert-and-back-again---one-ring" ], "guest": "Peter Jackson" }, { "date": "2012-12-06", "videos": [ "http://thecolbertreport.cc.com/videos/teluzg/the-pundit--or-colbert-and-back-again---hobbit-week-night-four", "http://thecolbertreport.cc.com/videos/hhe4hg/jim-demint-s-resignation", "http://thecolbertreport.cc.com/videos/d0n0vz/stephen-colbert--wax-on---wax-off-at-madame-tussauds-pt--1", "http://thecolbertreport.cc.com/videos/1voj50/stephen-colbert--wax-on---wax-off-at-madame-tussauds-pt--2", "http://thecolbertreport.cc.com/videos/0tvck8/peter-jackson", "http://thecolbertreport.cc.com/videos/fbqohj/sign-off---the-pundit--or-colbert-and-back-again---hobbit-week-concludes" ], "guest": "Andy Serkis" }, { "date": "2012-12-10", "videos": [ "http://thecolbertreport.cc.com/videos/0cfmll/stephen-for-u-s--senate", "http://thecolbertreport.cc.com/videos/8skoq2/fox-news-s-secret-presidential-recruit", "http://thecolbertreport.cc.com/videos/gdygvq/diana-krall" ], "guest": "Diana Krall, Elvis Costello" }, { "date": "2012-12-11", "videos": [ "http://thecolbertreport.cc.com/videos/t45azb/intro---12-11-12", "http://thecolbertreport.cc.com/videos/69xjmc/fiscal-cliff-negotiations", "http://thecolbertreport.cc.com/videos/iwvp9d/threatdown---commie-unicorns---foreman-barbie", "http://thecolbertreport.cc.com/videos/8is78z/ex-gay-therapy-debate", "http://thecolbertreport.cc.com/videos/m3omdi/malcolm-gladwell" ], "guest": "Malcolm Gladwell, Audra McDonald" }, { "date": "2012-12-12", "videos": [ "http://thecolbertreport.cc.com/videos/hoair6/success-for-operation-killing--killing-kennedy-", "http://thecolbertreport.cc.com/videos/8aazot/stephen-s-appointment-with-destiny---jeff-bingaman", "http://thecolbertreport.cc.com/videos/yr83zl/ground-zero-mosque-erade", "http://thecolbertreport.cc.com/videos/38iv8s/mandy-patinkin" ], "guest": "Mandy Patinkin, Michael Stipe" }, { "date": "2012-12-13", "videos": [ "http://thecolbertreport.cc.com/videos/ao4d2q/hurricane-sandy-mega-concert", "http://thecolbertreport.cc.com/videos/dseos2/uncensored----breaking-abbey-", "http://thecolbertreport.cc.com/videos/clpvpj/colbert-super-pac---the-ham-rove-memorial-fund", "http://thecolbertreport.cc.com/videos/wozbhp/simone-campbell" ], "guest": "Sister Simone Campbell, Jeff Tweedy, Mavis Staples, Sean Lennon" } ], "2013": [ { "date": "2013-01-07", "videos": [ "http://thecolbertreport.cc.com/videos/bgkrwx/intro---1-7-13", "http://thecolbertreport.cc.com/videos/83h5da/stephen-s-holiday-break", "http://thecolbertreport.cc.com/videos/9nmhtf/fiscal-cliff-deal---disincentives", "http://thecolbertreport.cc.com/videos/wq7dip/the-platinum-debt-ceiling-solution", "http://thecolbertreport.cc.com/videos/b1uvtc/blood-in-the-water---bill-o-reilly-s-racial-insensitivity", "http://thecolbertreport.cc.com/videos/ayoamg/jimmy-wales", "http://thecolbertreport.cc.com/videos/a1dzb3/sign-off---goodnight" ], "guest": "Jimmy Wales" }, { "date": "2013-01-08", "videos": [ "http://thecolbertreport.cc.com/videos/fuxwr9/intro---1-8-13", "http://thecolbertreport.cc.com/videos/gdcdgs/postage-price-hike", "http://thecolbertreport.cc.com/videos/vcqeg7/cheating-death---rage---blood-transfusions", "http://thecolbertreport.cc.com/videos/ps8djx/bin-laden-film-controversy", "http://thecolbertreport.cc.com/videos/kq9pp2/chris-kluwe", "http://thecolbertreport.cc.com/videos/gcv2eh/sign-off---vacsa-tern" ], "guest": "Chris Kluwe" }, { "date": "2013-01-09", "videos": [ "http://thecolbertreport.cc.com/videos/kg1znk/intro---1-9-13", "http://thecolbertreport.cc.com/videos/ip7ql9/idaho-s-walled---armed-community", "http://thecolbertreport.cc.com/videos/tzcfhr/gun-control-backlash", "http://thecolbertreport.cc.com/videos/52uula/thought-for-food---wheat-addictions", "http://thecolbertreport.cc.com/videos/ysa6lr/neil-shubin", "http://thecolbertreport.cc.com/videos/5majke/sign-off---mcgnaw-the-gluten-free-beaver" ], "guest": "Neil Shubin" }, { "date": "2013-01-10", "videos": [ "http://thecolbertreport.cc.com/videos/uej3ac/roadside-sofa-boning", "http://thecolbertreport.cc.com/videos/5n5w35/obama-s-failed-second-term", "http://thecolbertreport.cc.com/videos/35sqrd/tip-wag---hapifork---kevin-garnett", "http://thecolbertreport.cc.com/videos/ro7hjf/benjamin-gibbard" ], "guest": "Ben Gibbard" }, { "date": "2013-01-14", "videos": [ "http://thecolbertreport.cc.com/videos/y2ynrh/stephen-colbert-s-double-barrel-blam-o-rama---silver-bullets---video-games", "http://thecolbertreport.cc.com/videos/8zsm19/stephen-colbert-s-double-barrel-blam-o-rama---piers-morgan---james-yeager", "http://thecolbertreport.cc.com/videos/zftq7q/stephen-colbert-s-double-barrel-blam-o-rama---guns-as-civil-rights-victims", "http://thecolbertreport.cc.com/videos/4lcqtx/vitaminwater-advertising-lawsuit", "http://thecolbertreport.cc.com/videos/bainem/piers-morgan", "http://thecolbertreport.cc.com/videos/hoc2kn/sign-off---pocketbook-constitution" ], "guest": "Piers Morgan" }, { "date": "2013-01-15", "videos": [ "http://thecolbertreport.cc.com/videos/t6cye7/intro---1-15-13", "http://thecolbertreport.cc.com/videos/p5ll7c/lance-armstrong-s-interview-with-oprah", "http://thecolbertreport.cc.com/videos/uuduw3/monkey-on-the-lam---macaque-attack---1-381-days-of-simian-terror-in-tampa", "http://thecolbertreport.cc.com/videos/r78s3t/catacoffin-catacombo-sound-system", "http://thecolbertreport.cc.com/videos/an9lge/jared-diamond", "http://thecolbertreport.cc.com/videos/usj2pz/sign-off---goodnight" ], "guest": "Jared Diamond" }, { "date": "2013-01-16", "videos": [ "http://thecolbertreport.cc.com/videos/j56lbb/intro---1-16-13", "http://thecolbertreport.cc.com/videos/s9aj13/healthy-fake-smiles", "http://thecolbertreport.cc.com/videos/uhkynp/hsbc-laundering-charges", "http://thecolbertreport.cc.com/videos/hbxrk6/hsbc-laundering-charges---matt-taibbi", "http://thecolbertreport.cc.com/videos/62nu7n/pat-robertson-s-romance-advice", "http://thecolbertreport.cc.com/videos/m7jh2f/tom-brokaw", "http://thecolbertreport.cc.com/videos/ib0ftp/sign-off---goodnight" ], "guest": "Tom Brokaw" }, { "date": "2013-01-17", "videos": [ "http://thecolbertreport.cc.com/videos/r3kb1q/exclusive---colbert-wax-on---wax-off-at-madame-tussauds--outtakes", "http://thecolbertreport.cc.com/videos/qqx0s8/corporate-scamwich", "http://thecolbertreport.cc.com/videos/df7rup/obama-s-gun-grab", "http://thecolbertreport.cc.com/videos/w73nzv/the-word---united-we-standoff", "http://thecolbertreport.cc.com/videos/g1jrq5/porn-names---porn-lawsuits", "http://thecolbertreport.cc.com/videos/vem33s/akhil-reed-amar", "http://thecolbertreport.cc.com/videos/jawwj8/sign-off---goodnight" ], "guest": "Akhil Reed Amar" }, { "date": "2013-01-21", "videos": [ "http://thecolbertreport.cc.com/videos/zzot6e/intro---1-21-13", "http://thecolbertreport.cc.com/videos/xjexam/obama-s-second-inauguration", "http://thecolbertreport.cc.com/videos/li25sm/stephen-s-re-inauguration", "http://thecolbertreport.cc.com/videos/djvjxw/threatdown---flu--kate-middleton--vomiting-robots--superintelligent-gonorrhea--bears", "http://thecolbertreport.cc.com/videos/o7bw1e/ta-nehisi-coates", "http://thecolbertreport.cc.com/videos/9hwods/sign-off---hotel-bibles" ], "guest": "Ta-Nehisi Coates" }, { "date": "2013-01-22", "videos": [ "http://thecolbertreport.cc.com/videos/u2sxvp/exclusive---kathryn-bigelow-extended-interview", "http://thecolbertreport.cc.com/videos/4h7ltu/obama-s-inauguration---class-warfare", "http://thecolbertreport.cc.com/videos/0f673t/the-word---win--lose--or-redraw", "http://thecolbertreport.cc.com/videos/tccphp/dustin-hoffman-s-bad-news", "http://thecolbertreport.cc.com/videos/rn0fho/kathryn-bigelow", "http://thecolbertreport.cc.com/videos/msaso2/sign-off----zero-dark-thirty-----quartet-" ], "guest": "Kathryn Bigelow" }, { "date": "2013-01-23", "videos": [ "http://thecolbertreport.cc.com/videos/3reklz/beyonce-s-lip-gate", "http://thecolbertreport.cc.com/videos/vw3zie/tip-wag---montpelier-school-district--theatlasphere-com---florida-officials", "http://thecolbertreport.cc.com/videos/f3o0qj/alpha-dog-of-the-week---virginia-state-senate-republicans", "http://thecolbertreport.cc.com/videos/202a1c/sally-field", "http://thecolbertreport.cc.com/videos/hd80sm/sign-off---goodnight" ], "guest": "Sally Field" }, { "date": "2013-01-24", "videos": [ "http://thecolbertreport.cc.com/videos/xaaxud/france---the-mali-conflict", "http://thecolbertreport.cc.com/videos/i1sdq5/france---the-mali-conflict---edward-berenson", "http://thecolbertreport.cc.com/videos/vgqq4z/benghazi-attack-hearing", "http://thecolbertreport.cc.com/videos/ktiaje/tavi-gevinson", "http://thecolbertreport.cc.com/videos/scixor/sign-off---stephen-s-makeover" ], "guest": "Tavi Gevinson" }, { "date": "2013-01-28", "videos": [ "http://thecolbertreport.cc.com/videos/q1iuxz/intro---1-28-13", "http://thecolbertreport.cc.com/videos/27at9z/rapiscan-scanners", "http://thecolbertreport.cc.com/videos/mm5bdz/the-word---the-new-abnormal", "http://thecolbertreport.cc.com/videos/0q31iw/the-axis-of-evil-of-the-week---north-korea", "http://thecolbertreport.cc.com/videos/qdf7ec/michael-shellenberger", "http://thecolbertreport.cc.com/videos/tquuvs/sign-off---goodnight" ], "guest": "Michael Shellenberger" }, { "date": "2013-01-29", "videos": [ "http://thecolbertreport.cc.com/videos/4ax2hi/intro---1-29-13", "http://thecolbertreport.cc.com/videos/81oaln/iran-s-space-monkey---america-s-ape-moratorium", "http://thecolbertreport.cc.com/videos/k95k9v/gun-control---state-sovereignty", "http://thecolbertreport.cc.com/videos/7c8y4f/gun-control---state-sovereignty---cliff-sloan", "http://thecolbertreport.cc.com/videos/gfoq4g/guantanamo-bay-office-closure", "http://thecolbertreport.cc.com/videos/jtkgrc/george-saunders", "http://thecolbertreport.cc.com/videos/jzuerq/sign-off----tenth-of-december-" ], "guest": "George Saunders" }, { "date": "2013-01-30", "videos": [ "http://thecolbertreport.cc.com/videos/omljip/intro---1-30-13", "http://thecolbertreport.cc.com/videos/drdd3e/coming-out-benefits---gay-rights", "http://thecolbertreport.cc.com/videos/qnfsur/the-word---it-gets-worse", "http://thecolbertreport.cc.com/videos/i6hr57/non-racist-kkk", "http://thecolbertreport.cc.com/videos/kiwt0s/bill-gates", "http://thecolbertreport.cc.com/videos/4wroqd/sign-off---goodnight" ], "guest": "Bill Gates" }, { "date": "2013-01-31", "videos": [ "http://thecolbertreport.cc.com/videos/101faw/sport-report---ads-for-ads---deer-antler-spray", "http://thecolbertreport.cc.com/videos/odn1pg/sport-report---gatorade-chemicals---chicken-wing-shortage", "http://thecolbertreport.cc.com/videos/7wymxs/craziest-f--king-thing-i-ve-ever-heard---crows-using-tools", "http://thecolbertreport.cc.com/videos/v42kz3/matthew-guerrieri", "http://thecolbertreport.cc.com/videos/o489no/sign-off---welcome-baby-sanchez-" ], "guest": "Matthew Guerrieri" }, { "date": "2013-02-04", "videos": [ "http://thecolbertreport.cc.com/videos/iyrevo/intro---2-4-13", "http://thecolbertreport.cc.com/videos/kb76z3/super-bowl-xlvii", "http://thecolbertreport.cc.com/videos/vow0uy/bipartisan-immigration-reform", "http://thecolbertreport.cc.com/videos/ur7z4s/skeet-shooting-skeptics", "http://thecolbertreport.cc.com/videos/qxsatq/sonia-sotomayor", "http://thecolbertreport.cc.com/videos/cmttl3/sign-off---second-amendment" ], "guest": "Justice Sonia Sotomayor" }, { "date": "2013-02-05", "videos": [ "http://thecolbertreport.cc.com/videos/2316uc/intro---2-5-13", "http://thecolbertreport.cc.com/videos/e96s3c/royal-remains", "http://thecolbertreport.cc.com/videos/t6wn9f/tip-wag---drunk-donating----the-job--reality-show", "http://thecolbertreport.cc.com/videos/a1z0cu/california-s-heroic-hitchhiker", "http://thecolbertreport.cc.com/videos/dyxduh/julie-andrews", "http://thecolbertreport.cc.com/videos/y7gdjs/sign-off---final-rose" ], "guest": "Julie Andrews" }, { "date": "2013-02-06", "videos": [ "http://thecolbertreport.cc.com/videos/ae7fmq/intro---2-6-13", "http://thecolbertreport.cc.com/videos/33sahu/the-penny-pinch", "http://thecolbertreport.cc.com/videos/r6xbr9/stephen-s-sister-for-congress", "http://thecolbertreport.cc.com/videos/07240r/scientology-church-violence", "http://thecolbertreport.cc.com/videos/acokbc/lawrence-wright", "http://thecolbertreport.cc.com/videos/kt2abh/sign-off---watermelon-warning" ], "guest": "Lawrence Wright" }, { "date": "2013-02-07", "videos": [ "http://thecolbertreport.cc.com/videos/14j8d1/intro---2-7-13", "http://thecolbertreport.cc.com/videos/k4xzoo/winter-storm-nemo", "http://thecolbertreport.cc.com/videos/xknwhm/mr--smith-goes-to-the-state-legislature---stacey-campfield", "http://thecolbertreport.cc.com/videos/044mxj/-bang-with-friends--app", "http://thecolbertreport.cc.com/videos/eqsq39/benh-zeitlin", "http://thecolbertreport.cc.com/videos/xarh0o/sign-off---goodnight" ], "guest": "Behn Zeitlin" }, { "date": "2013-02-11", "videos": [ "http://thecolbertreport.cc.com/videos/xstxbo/bush-family-email-hack", "http://thecolbertreport.cc.com/videos/s7p70k/pope-s-resignation---papal-speculatron-7500", "http://thecolbertreport.cc.com/videos/v1p2wr/pope-s-resignation---papal-speculatron-7500---james-martin", "http://thecolbertreport.cc.com/videos/he6l0j/garry-wills", "http://thecolbertreport.cc.com/videos/38op41/sign-off----why-priests--" ], "guest": "Garry Wills" }, { "date": "2013-02-12", "videos": [ "http://thecolbertreport.cc.com/videos/hbhjqi/intro---2-12-13", "http://thecolbertreport.cc.com/videos/hwigu9/rnc-autopsy", "http://thecolbertreport.cc.com/videos/6t4bfw/conservative-victory-project", "http://thecolbertreport.cc.com/videos/b91wqa/arizona-s-gun-posse", "http://thecolbertreport.cc.com/videos/87jshg/roger-hodge", "http://thecolbertreport.cc.com/videos/4j42vn/sign-off---goodnight" ], "guest": "Roger Hodge" }, { "date": "2013-02-13", "videos": [ "http://thecolbertreport.cc.com/videos/r8y2v4/obama-s-state-of-the-union", "http://thecolbertreport.cc.com/videos/7g4eal/state-of-the-rubio", "http://thecolbertreport.cc.com/videos/89tt3v/spanish-state-of-the-rubio", "http://thecolbertreport.cc.com/videos/wrywsk/dave-grohl", "http://thecolbertreport.cc.com/videos/rsui4q/sign-off---dry-mouth" ], "guest": "Dave Grohl" }, { "date": "2013-02-14", "videos": [ "http://thecolbertreport.cc.com/videos/8k6qf1/st--valentine-s-day", "http://thecolbertreport.cc.com/videos/bg5se9/standard---poor-s-ratings-lawsuit", "http://thecolbertreport.cc.com/videos/a7o9iy/standard---poor-s-ratings-lawsuit---david-leonhardt", "http://thecolbertreport.cc.com/videos/gha2xx/nailed--em---richard-eggers", "http://thecolbertreport.cc.com/videos/jipac1/gavin-newsom", "http://thecolbertreport.cc.com/videos/tl6blx/sign-off----here-s-the-deal-" ], "guest": "Gavin Newsom" }, { "date": "2013-02-19", "videos": [ "http://thecolbertreport.cc.com/videos/mk66vx/russian-meteor-strike", "http://thecolbertreport.cc.com/videos/18bt84/colbert-platinum---huayra-sports-car--phil-mickelson---belle-isle", "http://thecolbertreport.cc.com/videos/nzi8fo/obama-s-secretive-golf-outing", "http://thecolbertreport.cc.com/videos/qsppoj/emily-bazelon", "http://thecolbertreport.cc.com/videos/rivg1z/sign-off---goodnight" ], "guest": "Emily Bazelon" }, { "date": "2013-02-20", "videos": [ "http://thecolbertreport.cc.com/videos/tq706t/u-k--horse-meat-scandal", "http://thecolbertreport.cc.com/videos/76hws3/sport-report---international-soccer-corruption", "http://thecolbertreport.cc.com/videos/t95tyj/sport-report---international-soccer-corruption---alexi-lalas", "http://thecolbertreport.cc.com/videos/oy70q1/norway-s--national-firewood-night-", "http://thecolbertreport.cc.com/videos/d68kfy/david-goldhill", "http://thecolbertreport.cc.com/videos/4869v6/sign-off---goodnight" ], "guest": "David Goldhill" }, { "date": "2013-02-21", "videos": [ "http://thecolbertreport.cc.com/videos/5dzdoq/-friends-of-hamas--rumor", "http://thecolbertreport.cc.com/videos/0x6brn/geo-group-stadium", "http://thecolbertreport.cc.com/videos/yhhjej/corporate-twitter-hacks", "http://thecolbertreport.cc.com/videos/ef8eii/lil-buck" ], "guest": "Lil Buck" }, { "date": "2013-02-25", "videos": [ "http://thecolbertreport.cc.com/videos/dysmy8/intro---2-25-13", "http://thecolbertreport.cc.com/videos/n5lz93/the-word---silent-but-deadly", "http://thecolbertreport.cc.com/videos/ub1skg/popewatch-2013---vatican-sex-parties", "http://thecolbertreport.cc.com/videos/ovpx97/simon-garfield", "http://thecolbertreport.cc.com/videos/7ucjsc/sign-off---goodnight" ], "guest": "Simon Garfield" }, { "date": "2013-02-26", "videos": [ "http://thecolbertreport.cc.com/videos/8vjzyf/intro---2-26-13", "http://thecolbertreport.cc.com/videos/gy9em4/popewatch-indeschism-2013---one-pope-over-the-line", "http://thecolbertreport.cc.com/videos/f5k4cb/battleground-texas---jeremy-bird", "http://thecolbertreport.cc.com/videos/xdriyp/drone-ducking-tips", "http://thecolbertreport.cc.com/videos/wr3lk3/michio-kaku", "http://thecolbertreport.cc.com/videos/i7sahj/sign-off---goodnight" ], "guest": "Dr. Michio Kaku" }, { "date": "2013-02-27", "videos": [ "http://thecolbertreport.cc.com/videos/6637zm/intro---2-27-13", "http://thecolbertreport.cc.com/videos/8okga0/halls-mentho-lyptus-cough-drops", "http://thecolbertreport.cc.com/videos/9mtjmn/khalid-sheikh-mohammed-s-trial-at-gitmo", "http://thecolbertreport.cc.com/videos/9mvj8u/khalid-sheikh-mohammed-s-trial-at-gitmo---neal-katyal", "http://thecolbertreport.cc.com/videos/r7gapm/john-kerry-s-dumb-talk", "http://thecolbertreport.cc.com/videos/cxjhmj/paola-antonelli", "http://thecolbertreport.cc.com/videos/7trotu/sign-off---halls-mentho-lyptus" ], "guest": "Paola Antonelli" }, { "date": "2013-02-28", "videos": [ "http://thecolbertreport.cc.com/videos/hmyuom/intro---2-28-13", "http://thecolbertreport.cc.com/videos/1epo24/colbert-report-consumer-alert---demonic-goodwill-items", "http://thecolbertreport.cc.com/videos/d7le3o/pope-tbd---souvenir-sales", "http://thecolbertreport.cc.com/videos/tnbuj0/budget-sequestration", "http://thecolbertreport.cc.com/videos/66dbox/jon-favreau", "http://thecolbertreport.cc.com/videos/o5hoan/sign-off---goodnight" ], "guest": "Obama speechwriter Jon Favreau" }, { "date": "2013-03-04", "videos": [ "http://thecolbertreport.cc.com/videos/ouzof3/sequestration---obama-s-sci-fi-flub", "http://thecolbertreport.cc.com/videos/xlk2nw/the-enemy-within---dr--skylar-bayer", "http://thecolbertreport.cc.com/videos/4v9opj/texas-gun-training-bill---free-shotgun-experiment", "http://thecolbertreport.cc.com/videos/ala255/kirk-bloodsworth", "http://thecolbertreport.cc.com/videos/7xfdsz/sign-off---goodnight" ], "guest": "Kirk Bloodsworth" }, { "date": "2013-03-05", "videos": [ "http://thecolbertreport.cc.com/videos/johtnl/intro---3-5-13", "http://thecolbertreport.cc.com/videos/d8ua02/hugo-chavez---jon-stewart-announcements", "http://thecolbertreport.cc.com/videos/yesa8j/obama-s-israel-trip", "http://thecolbertreport.cc.com/videos/xeotb9/obama-s-israel-trip---michael-oren", "http://thecolbertreport.cc.com/videos/r5gahs/dennis-tito-s-mars-flyby-mission", "http://thecolbertreport.cc.com/videos/23396i/james-franco", "http://thecolbertreport.cc.com/videos/ki0n4m/sign-off---goodnight" ], "guest": "James Franco" }, { "date": "2013-03-06", "videos": [ "http://thecolbertreport.cc.com/videos/5pvbru/-snowquester-", "http://thecolbertreport.cc.com/videos/2ox5xp/voting-rights-act", "http://thecolbertreport.cc.com/videos/5yipjs/voting-rights-act---julian-bond", "http://thecolbertreport.cc.com/videos/3ddous/thought-for-food---bloomberg---the-nacho-bliss-point", "http://thecolbertreport.cc.com/videos/25fidf/brendan-o-connell", "http://thecolbertreport.cc.com/videos/76de2t/sign-off---tostitos-scoops" ], "guest": "Brendan O'Connell" }, { "date": "2013-03-07", "videos": [ "http://thecolbertreport.cc.com/videos/7nblia/rand-paul-s-filibuster", "http://thecolbertreport.cc.com/videos/aq09bw/north-korea-s-armistice-breach----we-are-the-world--propaganda-video", "http://thecolbertreport.cc.com/videos/rz6ppl/the-bachelor", "http://thecolbertreport.cc.com/videos/uldxcb/john-sexton", "http://thecolbertreport.cc.com/videos/mhruf7/sign-off---land-of-romance" ], "guest": "John Sexton" }, { "date": "2013-03-25", "videos": [ "http://thecolbertreport.cc.com/videos/6zcxhr/election-of-pope-francis", "http://thecolbertreport.cc.com/videos/t23n7e/history-channel-s--the-bible-", "http://thecolbertreport.cc.com/videos/7cya4y/colbert-super-pac---ham-rove-memorial-conference-room", "http://thecolbertreport.cc.com/videos/bwz16t/junot-diaz", "http://thecolbertreport.cc.com/videos/vwhyh8/sign-off----the-bible-" ], "guest": "Junot Diaz" }, { "date": "2013-03-26", "videos": [ "http://thecolbertreport.cc.com/videos/ftxoqq/gop-growth---opportunity-project", "http://thecolbertreport.cc.com/videos/k5798h/the-word---narcicitizenship", "http://thecolbertreport.cc.com/videos/rj8f1x/stephen-colbert-is-watching-your-kids---whale-bone-porn", "http://thecolbertreport.cc.com/videos/udr4lu/eric-topol", "http://thecolbertreport.cc.com/videos/755nas/sign-off---medical-smartphone" ], "guest": "Dr. Eric Topol" }, { "date": "2013-03-27", "videos": [ "http://thecolbertreport.cc.com/videos/lapsll/intro---3-27-13", "http://thecolbertreport.cc.com/videos/8f2crl/bill-o-reilly-on-gay-marriage", "http://thecolbertreport.cc.com/videos/jk0icd/facebook--like--button-science", "http://thecolbertreport.cc.com/videos/gd7ki7/sharia-mops", "http://thecolbertreport.cc.com/videos/0i05bg/carl-edgar-blake-ii", "http://thecolbertreport.cc.com/videos/8g5b2m/sign-off---hamlet" ], "guest": "Carl Edgar Blake II" }, { "date": "2013-03-28", "videos": [ "http://thecolbertreport.cc.com/videos/mmwqg6/supreme-court-hearings-on-gay-marriage", "http://thecolbertreport.cc.com/videos/o26xyc/supreme-court-hearings-on-gay-marriage---emily-bazelon-pt--1", "http://thecolbertreport.cc.com/videos/qbupod/supreme-court-hearings-on-gay-marriage---emily-bazelon-pt--2", "http://thecolbertreport.cc.com/videos/sliefv/robert-lustig", "http://thecolbertreport.cc.com/videos/qlgxw8/sign-off---goodnight" ], "guest": "Dr. Robert Lustig" }, { "date": "2013-04-01", "videos": [ "http://thecolbertreport.cc.com/videos/j7yyx1/intro---4-1-13", "http://thecolbertreport.cc.com/videos/mbhysf/easter-under-attack---pope-edition", "http://thecolbertreport.cc.com/videos/egcbz2/health-care-lottery", "http://thecolbertreport.cc.com/videos/g3wft7/utah-s-earth-day-celebration", "http://thecolbertreport.cc.com/videos/rmu5w0/sigourney-weaver", "http://thecolbertreport.cc.com/videos/lt4lab/sign-off---welcome-baby-nurick-" ], "guest": "Sigourney Weaver" }, { "date": "2013-04-02", "videos": [ "http://thecolbertreport.cc.com/videos/dgrhqs/gay-marriage-fraud", "http://thecolbertreport.cc.com/videos/sq7yjh/we-are-at-war---north-korea", "http://thecolbertreport.cc.com/videos/0pozxj/we-are-at-war---north-korea---victor-cha", "http://thecolbertreport.cc.com/videos/w7owfy/florida-s-bong-bill", "http://thecolbertreport.cc.com/videos/7qy183/jim-mcgreevey", "http://thecolbertreport.cc.com/videos/1qietk/sign-off---goodnight" ], "guest": "Jim McGreevey" }, { "date": "2013-04-03", "videos": [ "http://thecolbertreport.cc.com/videos/3ci6sy/-morning-joe--vs--the-colbert-report", "http://thecolbertreport.cc.com/videos/54w6pz/gun-control---barn-orgies", "http://thecolbertreport.cc.com/videos/heku72/rnc-young-voters-survey", "http://thecolbertreport.cc.com/videos/tnl1m7/a-c--grayling", "http://thecolbertreport.cc.com/videos/kfs88u/sign-off---campaign-poster" ], "guest": "A.C. Grayling" }, { "date": "2013-04-04", "videos": [ "http://thecolbertreport.cc.com/videos/6sjovw/intro---4-4-13", "http://thecolbertreport.cc.com/videos/2h8ym1/pegasus-pipeline-spill", "http://thecolbertreport.cc.com/videos/0tmqs0/koko---jeremy-irons-on-gay-marriage", "http://thecolbertreport.cc.com/videos/97bihb/obama-s-brain-initiative", "http://thecolbertreport.cc.com/videos/wb31l0/francis-collins", "http://thecolbertreport.cc.com/videos/jpb3iv/sign-off---eeg-cap" ], "guest": "Dr. Francis Collins" }, { "date": "2013-04-08", "videos": [ "http://thecolbertreport.cc.com/videos/2htlq3/colbert-galactic-initiative", "http://thecolbertreport.cc.com/videos/z4m9xu/colbert-galactic-initiative---bill-clinton-pt--1", "http://thecolbertreport.cc.com/videos/y3hr34/colbert-galactic-initiative---bill-clinton-pt--2", "http://thecolbertreport.cc.com/videos/hmills/colbert-galactic-initiative---bill-clinton-pt--3", "http://thecolbertreport.cc.com/videos/jmsckt/sign-off---colbert-galactic-initiative" ], "guest": "Bill Clinton" }, { "date": "2013-04-09", "videos": [ "http://thecolbertreport.cc.com/videos/dzx936/intro---4-9-13", "http://thecolbertreport.cc.com/videos/9a1zbe/prez-billy-jeff-clinton", "http://thecolbertreport.cc.com/videos/k04x7j/clinton-global-initiative-university-exchange-fair", "http://thecolbertreport.cc.com/videos/yq6m6x/exxon-s-disaster-relief", "http://thecolbertreport.cc.com/videos/qa420d/charlie-leduff", "http://thecolbertreport.cc.com/videos/jti3ea/sign-off---potato-clock" ], "guest": "Charlie LeDuff" }, { "date": "2013-04-10", "videos": [ "http://thecolbertreport.cc.com/videos/r4g4o0/navy-laser-technology", "http://thecolbertreport.cc.com/videos/b0yf3a/tip-wag---gun-edition---united-nations--senate-republicans---video-games", "http://thecolbertreport.cc.com/videos/xr32ry/anthony-weiner-s-comeback", "http://thecolbertreport.cc.com/videos/mvszff/shane-smith", "http://thecolbertreport.cc.com/videos/fhj67z/sign-off---laser-tag" ], "guest": "Shane Smith" }, { "date": "2013-04-11", "videos": [ "http://thecolbertreport.cc.com/videos/ycrshs/nasa-lasso", "http://thecolbertreport.cc.com/videos/2ixasd/america-s-pot-astrophe", "http://thecolbertreport.cc.com/videos/t10bgi/america-s-pot-astrophe---nick-gillespie", "http://thecolbertreport.cc.com/videos/82a7wi/times-square-mascots-ban", "http://thecolbertreport.cc.com/videos/oiajpp/cass-sunstein", "http://thecolbertreport.cc.com/videos/5r04eq/sign-off---goodnight" ], "guest": "Cass Sunstein" }, { "date": "2013-04-16", "videos": [ "http://thecolbertreport.cc.com/videos/ifpmy1/intro---4-16-13", "http://thecolbertreport.cc.com/videos/s94ied/tip-wag---brood-ii-cicadas--sexcereal---gop-internet-memes", "http://thecolbertreport.cc.com/videos/h77c6i/rollie-eggmaster", "http://thecolbertreport.cc.com/videos/c5i1jr/caroline-kennedy", "http://thecolbertreport.cc.com/videos/yygt35/sign-off---goodnight" ], "guest": "Caroline Kennedy" }, { "date": "2013-04-17", "videos": [ "http://thecolbertreport.cc.com/videos/yfwqpo/ricin-letters---boston-bombing-suspects", "http://thecolbertreport.cc.com/videos/b1ekda/bitcoin-plunge", "http://thecolbertreport.cc.com/videos/rxy9ze/bitcoin-plunge---adam-davidson", "http://thecolbertreport.cc.com/videos/2sml1x/-accidental-racist--song", "http://thecolbertreport.cc.com/videos/n7jblw/alan-cumming", "http://thecolbertreport.cc.com/videos/4y7jmv/sign-off---goodnight" ], "guest": "Alan Cumming" }, { "date": "2013-04-18", "videos": [ "http://thecolbertreport.cc.com/videos/jr70gq/boston-marathon--bag-men-", "http://thecolbertreport.cc.com/videos/de4kxw/the-bucket-maiden-voyage", "http://thecolbertreport.cc.com/videos/x7fhfp/gun-control-block", "http://thecolbertreport.cc.com/videos/tvksjy/richard-engel", "http://thecolbertreport.cc.com/videos/17gkl6/sign-off---the-bucket" ], "guest": "Richard Engel" }, { "date": "2013-04-22", "videos": [ "http://thecolbertreport.cc.com/videos/nc9lav/intro---4-22-13", "http://thecolbertreport.cc.com/videos/vlo1dt/boston-bombers", "http://thecolbertreport.cc.com/videos/pd1fay/toronto-terror-plot", "http://thecolbertreport.cc.com/videos/06tavh/tiny-triumphs---infrastructure---river-pollution", "http://thecolbertreport.cc.com/videos/hkxcsa/george-w--bush-presidential-library", "http://thecolbertreport.cc.com/videos/d8p3y1/michael-pollan", "http://thecolbertreport.cc.com/videos/34u7cu/sign-off---goodnight" ], "guest": "Michael Pollan" }, { "date": "2013-04-23", "videos": [ "http://thecolbertreport.cc.com/videos/12jjaw/scoobygate", "http://thecolbertreport.cc.com/videos/dcyvro/austerity-s-spreadsheet-error", "http://thecolbertreport.cc.com/videos/kbgnf0/austerity-s-spreadsheet-error---thomas-herndon", "http://thecolbertreport.cc.com/videos/54pqtc/eric-schmidt", "http://thecolbertreport.cc.com/videos/uwzpai/sign-off---goodnight" ], "guest": "Eric Schmidt" }, { "date": "2013-04-24", "videos": [ "http://thecolbertreport.cc.com/videos/kwa0vp/ap-twitter-hack", "http://thecolbertreport.cc.com/videos/tk4his/bill-clinton-s-twitter-lessons", "http://thecolbertreport.cc.com/videos/r1hl69/tiny-triumphs---nasa-s-giant-penis-doodle", "http://thecolbertreport.cc.com/videos/zi0nnq/danica-patrick", "http://thecolbertreport.cc.com/videos/zwp3mi/sign-off---goodnight" ], "guest": "Danica Patrick" }, { "date": "2013-04-25", "videos": [ "http://thecolbertreport.cc.com/videos/md1l1j/exclusive---better-know-a-district---pennsylvania-s-17th---matt-cartwright", "http://thecolbertreport.cc.com/videos/1waayt/colbert-s-book-club", "http://thecolbertreport.cc.com/videos/zfq57f/better-know-a-district---pennsylvania-s-17th---matt-cartwright", "http://thecolbertreport.cc.com/videos/ypl8dh/miranda-rights-for-boston-bomber", "http://thecolbertreport.cc.com/videos/9j0img/gene-robinson", "http://thecolbertreport.cc.com/videos/vqrjkz/sign-off---welcome-baby-matheson-" ], "guest": "Bishop Gene Robinson" }, { "date": "2013-04-29", "videos": [ "http://thecolbertreport.cc.com/videos/lceacn/intro---4-29-13", "http://thecolbertreport.cc.com/videos/s55dpi/stephen-s-worst-sports-nightmare", "http://thecolbertreport.cc.com/videos/q8gaki/the-final-days-of-straight-america", "http://thecolbertreport.cc.com/videos/su6rj1/the-word---we-shall-undermine", "http://thecolbertreport.cc.com/videos/u2ew19/yelp-prison-reviews", "http://thecolbertreport.cc.com/videos/8ewxg4/iggy-pop" ], "guest": "Iggy &amp; the Stooges" }, { "date": "2013-04-30", "videos": [ "http://thecolbertreport.cc.com/videos/9ab72e/intro---4-30-13", "http://thecolbertreport.cc.com/videos/6brvhc/forced-tank-spending", "http://thecolbertreport.cc.com/videos/yxooec/the-word---medical-leave", "http://thecolbertreport.cc.com/videos/4iphqy/thought-for-food---spreadable-sharia---buddy-cup", "http://thecolbertreport.cc.com/videos/z5q514/evan-spiegel---bobby-murphy", "http://thecolbertreport.cc.com/videos/i4mbhv/sign-off---snapchat" ], "guest": "Evan Spiegel &amp; Bobby Murphy" }, { "date": "2013-05-01", "videos": [ "http://thecolbertreport.cc.com/videos/82vhzw/over-the-counter-plan-b", "http://thecolbertreport.cc.com/videos/7a77hc/background-check-backlash", "http://thecolbertreport.cc.com/videos/rf6pzs/the-word---n-r-a--vana", "http://thecolbertreport.cc.com/videos/cm8gvz/macklemore---ryan-lewis", "http://thecolbertreport.cc.com/videos/sq79ll/sign-off----the-heist-" ], "guest": "Macklemore &amp; Ryan Lewis" }, { "date": "2013-05-02", "videos": [ "http://thecolbertreport.cc.com/videos/tqo262/intro---5-2-13", "http://thecolbertreport.cc.com/videos/7emy7s/boston-bomber-accomplices", "http://thecolbertreport.cc.com/videos/2k1660/gitmo-hunger-strike", "http://thecolbertreport.cc.com/videos/is0h3a/gitmo-hunger-strike---charles-swift", "http://thecolbertreport.cc.com/videos/nhiiwp/movies-that-are-destroying-america---summer-movie-edition----man-of-steel-----iron-man-3-", "http://thecolbertreport.cc.com/videos/mqwnf6/ben-kingsley", "http://thecolbertreport.cc.com/videos/t46my4/sign-off---montclair-film-festival" ], "guest": "Ben Kingsley" }, { "date": "2013-05-06", "videos": [ "http://thecolbertreport.cc.com/videos/1mqcyb/intro---5-6-13", "http://thecolbertreport.cc.com/videos/tnugl6/colbert-s-book-club----the-great-gatsby-", "http://thecolbertreport.cc.com/videos/rxk0vp/stephen-colbert-s-bats--t-serious---bullet-conspiracy-theory", "http://thecolbertreport.cc.com/videos/ltsnqq/tip-wag---catholic-diocese-of-brooklyn---stoner-dogs", "http://thecolbertreport.cc.com/videos/wm2xsq/robert-caro", "http://thecolbertreport.cc.com/videos/479h8q/sign-off---south-carolina-special-election" ], "guest": "Robert Caro" }, { "date": "2013-05-07", "videos": [ "http://thecolbertreport.cc.com/videos/bpnvtc/breaking-news---benghazi-whistleblowers", "http://thecolbertreport.cc.com/videos/wwbl80/better-know-a-district---maryland-s-4th---donna-edwards", "http://thecolbertreport.cc.com/videos/p3cofn/promposals", "http://thecolbertreport.cc.com/videos/eyzxx1/douglas-rushkoff", "http://thecolbertreport.cc.com/videos/ampziq/sign-off---goodnight" ], "guest": "Douglas Rushkoff" }, { "date": "2013-05-08", "videos": [ "http://thecolbertreport.cc.com/videos/mpvlti/intro---5-8-13", "http://thecolbertreport.cc.com/videos/fyx23e/south-carolina-election-results", "http://thecolbertreport.cc.com/videos/m0huaq/spiteful-partisanship", "http://thecolbertreport.cc.com/videos/gbxmpo/going-diaperless", "http://thecolbertreport.cc.com/videos/xg0uqu/richard-besser", "http://thecolbertreport.cc.com/videos/in85s8/sign-off---helium-voice" ], "guest": "Dr. Richard Besser" }, { "date": "2013-05-09", "videos": [ "http://thecolbertreport.cc.com/videos/t96yfm/colbert-s-book-club----the-great-gatsby-", "http://thecolbertreport.cc.com/videos/1i7t2j/colbert-s-book-club---learning--the-great-gatsby-", "http://thecolbertreport.cc.com/videos/4apw9e/colbert-s-book-club---jennifer-egan----the-great-gatsby-", "http://thecolbertreport.cc.com/videos/tetoi9/baz-luhrmann", "http://thecolbertreport.cc.com/videos/uuyuly/sign-off----the-great-gatsby-" ], "guest": "Jennifer Egan, Baz Luhrmann" }, { "date": "2013-05-13", "videos": [ "http://thecolbertreport.cc.com/videos/hdvhlq/benghazi-attacks-talking-points", "http://thecolbertreport.cc.com/videos/gxwgja/colbert-super-pac-shh----irs-special-scrutiny", "http://thecolbertreport.cc.com/videos/jgqf2m/threatdown---planet-gay--world-wide-wood---junkie-bears", "http://thecolbertreport.cc.com/videos/l06a4l/jessica-buchanan---erik-landemalm", "http://thecolbertreport.cc.com/videos/ny9pcg/sign-off---goodnight" ], "guest": "Jessica Buchanan &amp; Erik Landemalm" }, { "date": "2013-05-14", "videos": [ "http://thecolbertreport.cc.com/videos/g6ij84/intro---5-14-13", "http://thecolbertreport.cc.com/videos/1nghxb/obamacare-repeal-vote", "http://thecolbertreport.cc.com/videos/0jjvya/heritage-foundation-s-immigration-study", "http://thecolbertreport.cc.com/videos/h5zenk/who-s-not-honoring-me-now----maxim", "http://thecolbertreport.cc.com/videos/tq7jny/dan-brown", "http://thecolbertreport.cc.com/videos/ftry54/sign-off---maxim-s-hot-100" ], "guest": "Dan Brown" }, { "date": "2013-05-15", "videos": [ "http://thecolbertreport.cc.com/videos/c91oeg/bug-protein", "http://thecolbertreport.cc.com/videos/qxjgw6/better-know-a-district---wisconsin-s-4th---gwen-moore-pt--1", "http://thecolbertreport.cc.com/videos/ft1gyx/better-know-a-district---wisconsin-s-4th---gwen-moore-pt--2", "http://thecolbertreport.cc.com/videos/xjltw5/cyndi-lauper", "http://thecolbertreport.cc.com/videos/f06og4/sign-off---kinky-boots" ], "guest": "Cyndi Lauper" }, { "date": "2013-05-16", "videos": [ "http://thecolbertreport.cc.com/videos/ru2qad/intro---5-16-13", "http://thecolbertreport.cc.com/videos/vshddv/asparagusgate", "http://thecolbertreport.cc.com/videos/x9725b/tip-wag---wind-turbines---china", "http://thecolbertreport.cc.com/videos/6685w4/3d-printed-guns", "http://thecolbertreport.cc.com/videos/7xqphc/daniel-lieberman", "http://thecolbertreport.cc.com/videos/yktive/sign-off---barefoot-shoes" ], "guest": "Dr. Daniel Lieberman" }, { "date": "2013-05-20", "videos": [ "http://thecolbertreport.cc.com/videos/iqqmsb/mazda-scandal-booth---benghazi", "http://thecolbertreport.cc.com/videos/xwopvb/mazda-scandal-booth---the-irs", "http://thecolbertreport.cc.com/videos/5qyy0w/mazda-scandal-booth---the-irs---trevor-potter", "http://thecolbertreport.cc.com/videos/irj43w/david-sassoon", "http://thecolbertreport.cc.com/videos/m9mkd8/sign-off---mazda-scandal-booth" ], "guest": "David Sassoon" }, { "date": "2013-05-21", "videos": [ "http://thecolbertreport.cc.com/videos/wp98kg/intro---5-21-13", "http://thecolbertreport.cc.com/videos/7fm2v2/irish-potato-famine-pathogen", "http://thecolbertreport.cc.com/videos/pbfcaq/cheating-death---sun-exposure---marijuana", "http://thecolbertreport.cc.com/videos/3jp6f3/census-bureau-harassment", "http://thecolbertreport.cc.com/videos/cqajs7/noah-feldman", "http://thecolbertreport.cc.com/videos/2jhy5w/sign-off---goodnight" ], "guest": "Noah Feldman" }, { "date": "2013-05-22", "videos": [ "http://thecolbertreport.cc.com/videos/c02847/intro---5-22-13", "http://thecolbertreport.cc.com/videos/24adff/irs-tea-party-scandal", "http://thecolbertreport.cc.com/videos/icnp2y/tip-wag---senators-mitch-and-chong---resourceful-rich-folk", "http://thecolbertreport.cc.com/videos/60entl/-citizen-koch-", "http://thecolbertreport.cc.com/videos/15h43y/matt-berninger" ], "guest": "The National" }, { "date": "2013-05-23", "videos": [ "http://thecolbertreport.cc.com/videos/2j741e/aumf-repeal", "http://thecolbertreport.cc.com/videos/khhujw/aumf-repeal---andrew-bacevich", "http://thecolbertreport.cc.com/videos/0bv6m0/redemption-for-all", "http://thecolbertreport.cc.com/videos/ur1l6x/c-j--chivers", "http://thecolbertreport.cc.com/videos/ahpe36/sign-off---goodnight" ], "guest": "C.J. Chivers" }, { "date": "2013-06-03", "videos": [ "http://thecolbertreport.cc.com/videos/ex0o10/stephen-s-week-off", "http://thecolbertreport.cc.com/videos/ervy41/better-know-a-district---wisconsin-s-2nd---mark-pocan", "http://thecolbertreport.cc.com/videos/s86l5y/trackingpoint-rifle", "http://thecolbertreport.cc.com/videos/4fwbkt/john-dingell", "http://thecolbertreport.cc.com/videos/yrhc20/sign-off---goodnight" ], "guest": "Rep. John Dingell" }, { "date": "2013-06-04", "videos": [ "http://thecolbertreport.cc.com/videos/fivedj/michele-bachmann-s-last-term", "http://thecolbertreport.cc.com/videos/x7wc5a/tip-wag---google-glass---the-lone-ranger----3d-printed-food", "http://thecolbertreport.cc.com/videos/u1fvmr/irs-political-targeting---line-dancing-scandals", "http://thecolbertreport.cc.com/videos/tz8gve/alex-gibney", "http://thecolbertreport.cc.com/videos/fbuavt/sign-off---goodnight" ], "guest": "Alex Gibney" }, { "date": "2013-06-05", "videos": [ "http://thecolbertreport.cc.com/videos/2ntvt9/intro---6-5-13", "http://thecolbertreport.cc.com/videos/eogja8/commando-of-steel", "http://thecolbertreport.cc.com/videos/fva65v/monsanto-s-modified-wheat", "http://thecolbertreport.cc.com/videos/ibdfsk/monsanto-s-modified-wheat---laurie-garrett", "http://thecolbertreport.cc.com/videos/bqahez/photojournalists-vs--iphones", "http://thecolbertreport.cc.com/videos/wqd06c/jonathan-alter", "http://thecolbertreport.cc.com/videos/el0t4o/sign-off---amber-waves-of-frankengrain" ], "guest": "Jonathan Alter" }, { "date": "2013-06-06", "videos": [ "http://thecolbertreport.cc.com/videos/onw7lq/nsa-phone-surveillance", "http://thecolbertreport.cc.com/videos/hbmw2f/colbert-classic---spy-training-with-peter-earnest", "http://thecolbertreport.cc.com/videos/zhz7uc/john-mellencamp--stephen-king---t-bone-burnett---pt--1", "http://thecolbertreport.cc.com/videos/lcf7d3/john-mellencamp--stephen-king---t-bone-burnett---pt--2", "http://thecolbertreport.cc.com/videos/46x6yt/sign-off---nose-tap" ], "guest": "Stephen King, John Mellencamp, T Bone Burnett" }, { "date": "2013-06-10", "videos": [ "http://thecolbertreport.cc.com/videos/oc2w3x/edward-snowden-s-nsa-leaks", "http://thecolbertreport.cc.com/videos/bkbpaj/the-imploding-muslim-country-of-the-week---turkey", "http://thecolbertreport.cc.com/videos/rnftw3/the-imploding-muslim-country-of-the-week---turkey---omer-taspinar", "http://thecolbertreport.cc.com/videos/147u1d/cold-war-update---nuclear-launch-careers", "http://thecolbertreport.cc.com/videos/vii2l9/dan-savage", "http://thecolbertreport.cc.com/videos/kmqz9h/sign-off---the-imploding-muslim-country-of-the-week-booth" ], "guest": "Dan Savage" }, { "date": "2013-06-11", "videos": [ "http://thecolbertreport.cc.com/videos/ctjh9s/intro---6-11-13", "http://thecolbertreport.cc.com/videos/1mm086/prism-surveillance-program", "http://thecolbertreport.cc.com/videos/jejy0d/prism-surveillance-program---jeffrey-rosen", "http://thecolbertreport.cc.com/videos/sa86i9/chewbacca-s-tsa-encounter", "http://thecolbertreport.cc.com/videos/s2d0lp/daniel-bergner", "http://thecolbertreport.cc.com/videos/x7nfzj/sign-off---goodnight" ], "guest": "Daniel Bergner" }, { "date": "2013-06-12", "videos": [ "http://thecolbertreport.cc.com/videos/jdqve3/stephen-colbert-s-tribute-to-having-paul-mccartney-on-his-show", "http://thecolbertreport.cc.com/videos/eweibb/nsa-scandal-developments", "http://thecolbertreport.cc.com/videos/9i45f0/paul-mccartney", "http://thecolbertreport.cc.com/videos/2ildb8/nyc-bike-share" ], "guest": "Paul McCartney" }, { "date": "2013-06-19", "videos": [ "http://thecolbertreport.cc.com/videos/yxgnju/remembering-lorna-colbert", "http://thecolbertreport.cc.com/videos/jm7bya/cap-n-crunch-scandal", "http://thecolbertreport.cc.com/videos/rtfkei/tip-wag---wall-street---north-carolina", "http://thecolbertreport.cc.com/videos/vztqfg/the-postal-service", "http://thecolbertreport.cc.com/videos/7vr4pz/sign-off---stage-fall" ], "guest": "The Postal Service" }, { "date": "2013-06-20", "videos": [ "http://thecolbertreport.cc.com/videos/616g0e/intro---6-20-13", "http://thecolbertreport.cc.com/videos/v8ee5f/iran-s-presidential-election", "http://thecolbertreport.cc.com/videos/k3dodo/steve-king-on-chicken-cages", "http://thecolbertreport.cc.com/videos/7udg5z/nestle-s-natural-resource", "http://thecolbertreport.cc.com/videos/0mw5zk/joss-whedon", "http://thecolbertreport.cc.com/videos/ooshhr/sign-off---paper-towel-tube-cage" ], "guest": "Joss Whedon" }, { "date": "2013-06-24", "videos": [ "http://thecolbertreport.cc.com/videos/6gyv8z/the-irs---darrell-issa-s-gut", "http://thecolbertreport.cc.com/videos/oztyjs/the-word---truthinews", "http://thecolbertreport.cc.com/videos/93t9s1/tiny-triumphs---laser-klan", "http://thecolbertreport.cc.com/videos/dzzcx7/andrew-solomon", "http://thecolbertreport.cc.com/videos/h7v6sr/sign-off---goodnight" ], "guest": "Andrew Solomon" }, { "date": "2013-06-25", "videos": [ "http://thecolbertreport.cc.com/videos/g5p8y4/intro---6-25-13", "http://thecolbertreport.cc.com/videos/348hon/scotus-on-the-voting-rights-act", "http://thecolbertreport.cc.com/videos/ysuxww/brazil-s-political-protests", "http://thecolbertreport.cc.com/videos/3gv8et/brazil-s-political-protests---larry-rohter", "http://thecolbertreport.cc.com/videos/mnxaxk/george-zimmerman-s-murder-trial", "http://thecolbertreport.cc.com/videos/ip1pn0/peniel-joseph", "http://thecolbertreport.cc.com/videos/b4zgvh/sign-off---goodnight" ], "guest": "Peniel Joseph" }, { "date": "2013-06-26", "videos": [ "http://thecolbertreport.cc.com/videos/m2xuu4/intro---6-26-13", "http://thecolbertreport.cc.com/videos/nzd784/the-supreme-court-rules-on-doma", "http://thecolbertreport.cc.com/videos/um981i/the-end-of-the-voting-rights-act", "http://thecolbertreport.cc.com/videos/btpztg/the-voting-rights-act---gay-marriage---emily-bazelon", "http://thecolbertreport.cc.com/videos/3ca2a0/bill-moyers", "http://thecolbertreport.cc.com/videos/09w1k9/sign-off---goodnight" ], "guest": "Bill Moyers" }, { "date": "2013-06-27", "videos": [ "http://thecolbertreport.cc.com/videos/9lyyd3/4th-of-july-under-attack", "http://thecolbertreport.cc.com/videos/3wbx1d/stephen-colbert-s-big-gay-roundup", "http://thecolbertreport.cc.com/videos/ncxmfs/-gang-of-eight--immigration-reform-bill", "http://thecolbertreport.cc.com/videos/0gj3ie/chuck-schumer", "http://thecolbertreport.cc.com/videos/6kec7y/sign-off---goodnight" ], "guest": "Sen. Chuck Schumer" }, { "date": "2013-07-15", "videos": [ "http://thecolbertreport.cc.com/videos/6jl3zv/stephen-s-vacation", "http://thecolbertreport.cc.com/videos/0gzuno/george-zimmerman-verdict", "http://thecolbertreport.cc.com/videos/9nhthn/people-who-are-destroying-america---lynn-harrell", "http://thecolbertreport.cc.com/videos/6dlnrd/ktvu-tv-on-asiana-airlines-crash", "http://thecolbertreport.cc.com/videos/vwtsg0/jeremy-scahill", "http://thecolbertreport.cc.com/videos/88fai0/sign-off---goodnight" ], "guest": "Jeremy Scahill" }, { "date": "2013-07-16", "videos": [ "http://thecolbertreport.cc.com/videos/2ymeh3/intro---7-16-13", "http://thecolbertreport.cc.com/videos/rr5gb5/royal-baby-bump", "http://thecolbertreport.cc.com/videos/dd82ys/tip-wag---non-rioting-black-people---fox-news", "http://thecolbertreport.cc.com/videos/e8110o/npr-on-multitasking", "http://thecolbertreport.cc.com/videos/e5obyh/david-karp", "http://thecolbertreport.cc.com/videos/0mvlz8/sign-off---macbox" ], "guest": "David Karp" }, { "date": "2013-07-17", "videos": [ "http://thecolbertreport.cc.com/videos/84x6wp/rolling-stone-s-boston-bomber-cover", "http://thecolbertreport.cc.com/videos/eiwwmp/dysfunctional-house-republicans---immigration-reform", "http://thecolbertreport.cc.com/videos/dii80x/food-stamp-funding", "http://thecolbertreport.cc.com/videos/279goq/jerry-seinfeld-pt--1", "http://thecolbertreport.cc.com/videos/pw17w7/jerry-seinfeld-pt--2", "http://thecolbertreport.cc.com/videos/qfpfy4/sign-off---paper-fan" ], "guest": "Jerry Seinfeld" }, { "date": "2013-07-18", "videos": [ "http://thecolbertreport.cc.com/videos/r4piw8/edward-snowden-s-asylum-option", "http://thecolbertreport.cc.com/videos/2m27vd/political-sex-scandals---new-york-city-elections", "http://thecolbertreport.cc.com/videos/dpebt7/political-sex-scandals---new-york-city-elections---eliot-spitzer", "http://thecolbertreport.cc.com/videos/m8rn8j/breaking-news-on-college-sex", "http://thecolbertreport.cc.com/videos/y56hes/jeff-bridges", "http://thecolbertreport.cc.com/videos/fiop8t/sign-off----operation-javelin-" ], "guest": "Jeff Bridges" }, { "date": "2013-07-22", "videos": [ "http://thecolbertreport.cc.com/videos/20zlbx/britain-s-royal-baby", "http://thecolbertreport.cc.com/videos/d0bn33/geraldo-rivera-s-tribute-to-helen-thomas", "http://thecolbertreport.cc.com/videos/8fg72p/minimum-wage---mcdonald-s-spending-journal", "http://thecolbertreport.cc.com/videos/0p9n45/neil-degrasse-tyson-s-alien-theory", "http://thecolbertreport.cc.com/videos/3azmuc/kjerstin-gruys", "http://thecolbertreport.cc.com/videos/mritg0/sign-off---linguini-worm" ], "guest": "Kjerstin Gruys" }, { "date": "2013-07-23", "videos": [ "http://thecolbertreport.cc.com/videos/y6fmk6/royal-afterbirth--013-", "http://thecolbertreport.cc.com/videos/adczam/george-zimmerman---racial-tensions", "http://thecolbertreport.cc.com/videos/3vijkd/the-word---color-bind", "http://thecolbertreport.cc.com/videos/vbghld/domino-s-pizza-drone", "http://thecolbertreport.cc.com/videos/5tqazj/kenneth-goldsmith", "http://thecolbertreport.cc.com/videos/fvgc0u/sign-off---goodnight" ], "guest": "Kenneth Goldsmith" }, { "date": "2013-07-24", "videos": [ "http://thecolbertreport.cc.com/videos/508jwm/royal-baby-fever", "http://thecolbertreport.cc.com/videos/eodctw/anthony-weiner-s-penis", "http://thecolbertreport.cc.com/videos/4sgopv/carlos-danger--secret-mayor", "http://thecolbertreport.cc.com/videos/bf89i9/kanye-west-s-clothing-line", "http://thecolbertreport.cc.com/videos/zwqhae/anant-agarwal", "http://thecolbertreport.cc.com/videos/gbago4/sign-off---goodnight" ], "guest": "Anant Agarwal" }, { "date": "2013-07-25", "videos": [ "http://thecolbertreport.cc.com/videos/l1dtzt/london-s-fake-town-crier", "http://thecolbertreport.cc.com/videos/lyjdmu/detroit-s-bankruptcy", "http://thecolbertreport.cc.com/videos/h9c7gh/detroit-s-bankruptcy---stephen-henderson", "http://thecolbertreport.cc.com/videos/8chokd/steve-king-s-immigrant-analogy", "http://thecolbertreport.cc.com/videos/263vwc/olympia-snowe", "http://thecolbertreport.cc.com/videos/kx84kd/sign-off---hand-bell" ], "guest": "Olympia Snowe" }, { "date": "2013-07-29", "videos": [ "http://thecolbertreport.cc.com/videos/uw17hh/intro---7-29-13", "http://thecolbertreport.cc.com/videos/n0w3zw/obamacare-cards", "http://thecolbertreport.cc.com/videos/pna3x8/tip-wag---steve-stockman--david-cameron---north-carolina-legislature", "http://thecolbertreport.cc.com/videos/2i98l3/the-lumineers", "http://thecolbertreport.cc.com/videos/1i7dzf/sign-off---tambourine" ], "guest": "The Lumineers" }, { "date": "2013-07-30", "videos": [ "http://thecolbertreport.cc.com/videos/trrcbd/intro---7-30-13", "http://thecolbertreport.cc.com/videos/mulhwo/smokin--pole---the-quest-for-arctic-riches--north-pole-lake", "http://thecolbertreport.cc.com/videos/gr77sg/senator-gridlock", "http://thecolbertreport.cc.com/videos/hrha3p/the-word---secrets---laws", "http://thecolbertreport.cc.com/videos/jah6al/ted-cruz-s-humble-portrait", "http://thecolbertreport.cc.com/videos/bhod50/atul-gawande", "http://thecolbertreport.cc.com/videos/c1f9z7/sign-off---sleigh-bells" ], "guest": "Atul Gawande" }, { "date": "2013-07-31", "videos": [ "http://thecolbertreport.cc.com/videos/4dtx20/intro---7-31-13", "http://thecolbertreport.cc.com/videos/6p4joy/bradley-manning-verdict", "http://thecolbertreport.cc.com/videos/hcbpix/lunch-or-campaign-2016-", "http://thecolbertreport.cc.com/videos/21zxm1/chris-christie-vs--rand-paul", "http://thecolbertreport.cc.com/videos/zyu4c8/stephen-colbert-s-super-coin-toss", "http://thecolbertreport.cc.com/videos/ngxjwr/emily-matchar", "http://thecolbertreport.cc.com/videos/f1q01l/sign-off---game-over" ], "guest": "Emily Matchar" }, { "date": "2013-08-01", "videos": [ "http://thecolbertreport.cc.com/videos/s9hzk7/intro---8-1-13", "http://thecolbertreport.cc.com/videos/09hbf0/edward-snowden-s-asylum", "http://thecolbertreport.cc.com/videos/o0rsdt/oppressed-white-male-alert---bob-filner", "http://thecolbertreport.cc.com/videos/y8ilbl/grab-ask-5800", "http://thecolbertreport.cc.com/videos/opj4x1/threatdown---global-erotic-extremism--mini-muslims---stripper-bears", "http://thecolbertreport.cc.com/videos/gyog46/bryan-cranston", "http://thecolbertreport.cc.com/videos/qv7up3/sign-off---goodnight" ], "guest": "Bryan Cranston" }, { "date": "2013-08-05", "videos": [ "http://thecolbertreport.cc.com/videos/n525ux/global-terror-warning", "http://thecolbertreport.cc.com/videos/1y9s5s/sport-report---a-rod-s-drug-scandal---combat-juggling", "http://thecolbertreport.cc.com/videos/91y2gj/hugh-laurie", "http://thecolbertreport.cc.com/videos/g0yu17/broadcast-networks-want-more-indecency", "http://thecolbertreport.cc.com/videos/n9o8qy/sign-off---glossary-of-terms" ], "guest": "Hugh Laurie" }, { "date": "2013-08-06", "videos": [ "http://thecolbertreport.cc.com/videos/4ybtps/stephest-colbchella--013---the-song-of-the-summer-of-the-century", "http://thecolbertreport.cc.com/videos/s9j4ux/stephest-colbchella--013---special-guest-stephen-colbert-" ], "guest": "Robin Thicke" }, { "date": "2013-08-07", "videos": [ "http://thecolbertreport.cc.com/videos/0t0r8t/stephest-colbchella--013---disco-decepticons", "http://thecolbertreport.cc.com/videos/je51p5/rich-white-guys-agreeing-with-each-other-alert---neil-cavuto", "http://thecolbertreport.cc.com/videos/m9o287/fast-food-workers-strike---mary-kay-henry", "http://thecolbertreport.cc.com/videos/b0jyca/sec-vs--fabulous-fab", "http://thecolbertreport.cc.com/videos/rrfnhj/ashton-kutcher", "http://thecolbertreport.cc.com/videos/iqw6df/sign-off---goodnight" ], "guest": "Ashton Kutcher" }, { "date": "2013-08-08", "videos": [ "http://thecolbertreport.cc.com/videos/ehgkke/ganjay-supta", "http://thecolbertreport.cc.com/videos/x55kjy/hollywood-heroes", "http://thecolbertreport.cc.com/videos/lual8r/hollywood-heroes---matt-damon", "http://thecolbertreport.cc.com/videos/qqmmcz/the-ronald-wilson-reagan-economic-breathing-zone", "http://thecolbertreport.cc.com/videos/6duz1s/colum-mccann", "http://thecolbertreport.cc.com/videos/fama3f/sign-off----fifty-shades-of-grey-" ], "guest": "Colum McCann" }, { "date": "2013-08-12", "videos": [ "http://thecolbertreport.cc.com/videos/m7rv7i/badonkadonk-journalism", "http://thecolbertreport.cc.com/videos/qokabz/better-know-a-district---new-jersey-s-12th", "http://thecolbertreport.cc.com/videos/vni3w0/better-know-a-district---new-jersey-s-12th---rush-holt", "http://thecolbertreport.cc.com/videos/swss3n/innocent-tourist-mistake", "http://thecolbertreport.cc.com/videos/lixrq0/sheldon-whitehouse", "http://thecolbertreport.cc.com/videos/ck9vu0/sign-off---goodnight" ], "guest": "Sen. Sheldon Whitehouse" }, { "date": "2013-08-13", "videos": [ "http://thecolbertreport.cc.com/videos/jtshn3/stop-and-frisk---mandatory-minimums", "http://thecolbertreport.cc.com/videos/o5aiwi/tsa-expansion-program", "http://thecolbertreport.cc.com/videos/miwb3z/tsa-expansion-program---steven-pinker", "http://thecolbertreport.cc.com/videos/pd148a/john-lewis-pt--1", "http://thecolbertreport.cc.com/videos/ocqoae/john-lewis-pt--2", "http://thecolbertreport.cc.com/videos/z6ytj0/sign-off----the-better-angels-of-our-nature-" ], "guest": "Rep. John Lewis" }, { "date": "2013-08-14", "videos": [ "http://thecolbertreport.cc.com/videos/als8jg/intro---8-14-13", "http://thecolbertreport.cc.com/videos/wjgfbx/sochi-2014-winter-olympics", "http://thecolbertreport.cc.com/videos/y58ew9/people-who-are-destroying-america---johnny-cummings", "http://thecolbertreport.cc.com/videos/oafmw7/big-mother-government", "http://thecolbertreport.cc.com/videos/wc12me/kevin-spacey", "http://thecolbertreport.cc.com/videos/o1qztj/sign-off---goodnight" ], "guest": "Kevin Spacey" }, { "date": "2013-08-15", "videos": [ "http://thecolbertreport.cc.com/videos/fwx35y/obama-rodeo-clown", "http://thecolbertreport.cc.com/videos/0bdl0z/golden-age-of-flammability", "http://thecolbertreport.cc.com/videos/r9ju4t/the-word---gag-gift", "http://thecolbertreport.cc.com/videos/jngkv0/nsa-press-conference-on-domestic-spying", "http://thecolbertreport.cc.com/videos/8ax5jq/richard-brodhead", "http://thecolbertreport.cc.com/videos/42qo92/sign-off---second-installment-of-colbert-s-book-club" ], "guest": "Richard Brodhead" }, { "date": "2013-09-03", "videos": [ "http://thecolbertreport.cc.com/videos/pkboc3/exclusive---better-know-a-district---michigan-s-5th---dan-kildee", "http://thecolbertreport.cc.com/videos/pnf1sx/intro---9-3-13", "http://thecolbertreport.cc.com/videos/tx5zzr/stephen-s-science-project---chemical-weapons-in-syria", "http://thecolbertreport.cc.com/videos/dhyi3l/better-know-a-district---michigan-s-5th---dan-kildee", "http://thecolbertreport.cc.com/videos/pwzlgj/timothy-dolan-pt--1", "http://thecolbertreport.cc.com/videos/m4p07o/timothy-dolan-pt--2", "http://thecolbertreport.cc.com/videos/xws5t1/sign-off---welcome-baby-rosta-" ], "guest": "Timothy Cardinal Dolan" }, { "date": "2013-09-04", "videos": [ "http://thecolbertreport.cc.com/videos/4obytf/intro---9-4-13", "http://thecolbertreport.cc.com/videos/020ri3/cris-ish-in-syri-eh", "http://thecolbertreport.cc.com/videos/jtjmpo/cris-ish-in-syri-eh---steve-coll", "http://thecolbertreport.cc.com/videos/hrfvxe/perfect-polly", "http://thecolbertreport.cc.com/videos/q9zsg7/gary-england", "http://thecolbertreport.cc.com/videos/jnebqk/sign-off---goodnight" ], "guest": "Gary England" }, { "date": "2013-09-05", "videos": [ "http://thecolbertreport.cc.com/videos/fzzhny/intro---9-5-13", "http://thecolbertreport.cc.com/videos/cgxdol/smile-file---ariel-castro---the-eric-bolling-sunshine-express", "http://thecolbertreport.cc.com/videos/cn86ce/kitten-subway-crisis---the-new-york-city-mayoral-race", "http://thecolbertreport.cc.com/videos/l0disu/colbert-s-book-club---the-couch-bunker", "http://thecolbertreport.cc.com/videos/ub6jy0/john-prine" ], "guest": "John Prine" }, { "date": "2013-09-09", "videos": [ "http://thecolbertreport.cc.com/videos/m0qnfl/egypt-s-stork-bust", "http://thecolbertreport.cc.com/videos/4zp755/syrian-conflict-action-plan", "http://thecolbertreport.cc.com/videos/jvhzt0/ronald-reagan-on-the-syrian-conflict", "http://thecolbertreport.cc.com/videos/a4utu0/tip-wag---iowa--bigger-pants---recent-articles", "http://thecolbertreport.cc.com/videos/f9cuxl/billie-jean-king", "http://thecolbertreport.cc.com/videos/2dw2cm/sign-off---spider-reagan" ], "guest": "Billie Jean King" }, { "date": "2013-09-10", "videos": [ "http://thecolbertreport.cc.com/videos/o8sjcq/colbert-s-book-club---j-d--salinger", "http://thecolbertreport.cc.com/videos/49qji6/colbert-s-book-club---better-know-a-salinger", "http://thecolbertreport.cc.com/videos/ueo7a2/colbert-s-book-club---tobias-wolff----the-catcher-in-the-rye-", "http://thecolbertreport.cc.com/videos/f2a6ao/colbert-s-book-club---shane-salerno-on-j-d--salinger", "http://thecolbertreport.cc.com/videos/2p7nwl/sign-off---colbert-s-book-club---j-d--salinger-s-glass-family" ], "guest": "Shane Salerno" }, { "date": "2013-09-11", "videos": [ "http://thecolbertreport.cc.com/videos/lop9g2/new-york-city-mayoral-primary", "http://thecolbertreport.cc.com/videos/pymjnx/america-s-got-serious-reservations-about-this---syria", "http://thecolbertreport.cc.com/videos/cta0kn/america-s-got-serious-reservations-about-this---syria---rand-paul", "http://thecolbertreport.cc.com/videos/w9ejb1/barack-obama-s-footgate---secret-muslim-code", "http://thecolbertreport.cc.com/videos/p83qs9/sheryl-crow" ], "guest": "Sheryl Crow" }, { "date": "2013-09-12", "videos": [ "http://thecolbertreport.cc.com/videos/r3zogj/vladimir-putin-s-op-ed-photos", "http://thecolbertreport.cc.com/videos/bujbay/better-know-a-district---washington-s-7th---jim-mcdermott", "http://thecolbertreport.cc.com/videos/7z7vfu/vladimir-putin-s-op-ed-on-u-s--intervention-in-syria", "http://thecolbertreport.cc.com/videos/cm16zd/philip-mudd", "http://thecolbertreport.cc.com/videos/4lw1cp/sign-off---goodnight" ], "guest": "Philip Mudd" }, { "date": "2013-09-16", "videos": [ "http://thecolbertreport.cc.com/videos/weeyn5/intro---9-16-13", "http://thecolbertreport.cc.com/videos/2lxvvp/lehman-brothers-anniversary---economic-recovery", "http://thecolbertreport.cc.com/videos/ggices/the-word---the-guilted-age", "http://thecolbertreport.cc.com/videos/vui8um/miss-america-2013", "http://thecolbertreport.cc.com/videos/v77k60/andrew-bacevich", "http://thecolbertreport.cc.com/videos/c31p0i/sign-off---financial-crisis-anniversary-cake" ], "guest": "Andrew Bacevich" }, { "date": "2013-09-17", "videos": [ "http://thecolbertreport.cc.com/videos/qkhrkt/intro---9-17-13", "http://thecolbertreport.cc.com/videos/hwlkz5/the-people-s-republic-of-obamastan---forbes-400-losers", "http://thecolbertreport.cc.com/videos/cgb0cw/colbert-platinum---luxury-ice---hot-dic-tip", "http://thecolbertreport.cc.com/videos/rkpujl/soul-rending-cheerios-ad", "http://thecolbertreport.cc.com/videos/2dwhox/arne-duncan", "http://thecolbertreport.cc.com/videos/ukxkfk/sign-off---goodnight" ], "guest": "Arne Duncan" }, { "date": "2013-09-18", "videos": [ "http://thecolbertreport.cc.com/videos/g7l8kk/syria-conflict---end-times-prophecy", "http://thecolbertreport.cc.com/videos/8pp3si/united-nations-on-syria-conflict---andrew-sullivan", "http://thecolbertreport.cc.com/videos/v0wk5h/navy-yard-shooting---gun-violence-causes", "http://thecolbertreport.cc.com/videos/ft7l84/nicholson-baker", "http://thecolbertreport.cc.com/videos/lpg81o/sign-off----damascus-countdown-" ], "guest": "Nicholson Baker" }, { "date": "2013-09-19", "videos": [ "http://thecolbertreport.cc.com/videos/1j1cxh/michelle-obama-s-h2o-campaign", "http://thecolbertreport.cc.com/videos/4iux0d/obamacare-government-shutdown", "http://thecolbertreport.cc.com/videos/6nrq55/obamacare-navigators", "http://thecolbertreport.cc.com/videos/7qwiwv/tip-wag---hammunition---george-clooney", "http://thecolbertreport.cc.com/videos/x5xw6g/jack-johnson" ], "guest": "Jack Johnson" }, { "date": "2013-09-24", "videos": [ "http://thecolbertreport.cc.com/videos/ecu59e/stephen-s-emmy-awards", "http://thecolbertreport.cc.com/videos/nsfkr7/on-notice---pope-francis", "http://thecolbertreport.cc.com/videos/vb7ms1/on-notice---pope-francis---jim-martin", "http://thecolbertreport.cc.com/videos/7xtam8/metallica", "http://thecolbertreport.cc.com/videos/g9dzis/sign-off---emmy-exhibition" ], "guest": "Metallica" }, { "date": "2013-09-25", "videos": [ "http://thecolbertreport.cc.com/videos/8fmvel/censorship-for-youtube-comments", "http://thecolbertreport.cc.com/videos/lsiidb/sport-report---cranium-coddlers---san-francisco-street-chess---floyd-mayweather", "http://thecolbertreport.cc.com/videos/ks6rd5/ted-cruz-s-obamacare--filibuster-", "http://thecolbertreport.cc.com/videos/urqr8j/joseph-gordon-levitt", "http://thecolbertreport.cc.com/videos/93nnw6/sign-off---ring-announcer" ], "guest": "Joseph Gordon-Levitt" }, { "date": "2013-09-26", "videos": [ "http://thecolbertreport.cc.com/videos/itk7kp/americone-dream-product-placement", "http://thecolbertreport.cc.com/videos/u1mo7v/chris-fischer", "http://thecolbertreport.cc.com/videos/lo2m3c/intro---9-26-13", "http://thecolbertreport.cc.com/videos/153u0a/sign-off---goodnight", "http://thecolbertreport.cc.com/videos/87ddew/time-travel-adventures-with-conservatives" ], "guest": "Chris Fischer" }, { "date": "2013-09-30", "videos": [ "http://thecolbertreport.cc.com/videos/mp715j/rockin--government-shutdown-eve", "http://thecolbertreport.cc.com/videos/pbvraa/tip-wag---butterball--ashley-merryman---science", "http://thecolbertreport.cc.com/videos/wzj7bh/vince-gilligan-pt--1", "http://thecolbertreport.cc.com/videos/xid9jc/vince-gilligan-pt--2" ], "guest": "Vince Gilligan" }, { "date": "2013-10-01", "videos": [ "http://thecolbertreport.cc.com/videos/99odk6/federal-government-shutdown", "http://thecolbertreport.cc.com/videos/cn352h/affordable-care-act---obama-s-computerized-america", "http://thecolbertreport.cc.com/videos/1ntmd2/adorable-care-act---generation-opportunity", "http://thecolbertreport.cc.com/videos/gfz4h7/national-hispanic-heritage-month", "http://thecolbertreport.cc.com/videos/obk0r1/daniel-radcliffe", "http://thecolbertreport.cc.com/videos/7ni2qs/sign-off---goodnight" ], "guest": "Daniel Radcliffe" }, { "date": "2013-10-02", "videos": [ "http://thecolbertreport.cc.com/videos/aykl9k/intro---10-2-13", "http://thecolbertreport.cc.com/videos/qx1ar9/1995-shutdown-survival-bunker", "http://thecolbertreport.cc.com/videos/qz6a9i/government--slimdown----potus-meeting", "http://thecolbertreport.cc.com/videos/xjdheq/blood-in-the-water---bill-o-reilly-s--killing-jesus-", "http://thecolbertreport.cc.com/videos/5ynb8q/chris-matthews", "http://thecolbertreport.cc.com/videos/mvs3wz/sign-off---shutdown-survival-bunker" ], "guest": "Chris Matthews" }, { "date": "2013-10-03", "videos": [ "http://thecolbertreport.cc.com/videos/7l0bys/government-shutdown-day-three", "http://thecolbertreport.cc.com/videos/amjasd/the-2013-government-shutdown-wedding-of-the-century-pt--1", "http://thecolbertreport.cc.com/videos/qt2vrd/david-finkel", "http://thecolbertreport.cc.com/videos/6as11u/sign-off---audra-mcdonald-s-availability" ], "guest": "David Finkel" }, { "date": "2013-10-07", "videos": [ "http://thecolbertreport.cc.com/videos/iyj9i2/government-shutdown-s-one-week-anniversary", "http://thecolbertreport.cc.com/videos/f9ohl9/bond-v--united-states", "http://thecolbertreport.cc.com/videos/rodf66/mccutcheon-v--fec---emily-bazelon", "http://thecolbertreport.cc.com/videos/d10tae/banksy-s-new-york-reign-of-terror", "http://thecolbertreport.cc.com/videos/feyjl3/james-spithill", "http://thecolbertreport.cc.com/videos/m7oe3o/sign-off----not-a-game--game" ], "guest": "James Spithill" }, { "date": "2013-10-08", "videos": [ "http://thecolbertreport.cc.com/videos/phldtj/intro---10-8-13", "http://thecolbertreport.cc.com/videos/u5kkik/debt-ceiling-deadline", "http://thecolbertreport.cc.com/videos/2b5rst/pro-pot-laws---pointers", "http://thecolbertreport.cc.com/videos/049124/thanksgiving-under-attack---hanukkah", "http://thecolbertreport.cc.com/videos/llhqmr/paul-giamatti", "http://thecolbertreport.cc.com/videos/tuzaza/sign-off----tj---dave-" ], "guest": "Paul Giamatti" }, { "date": "2013-10-09", "videos": [ "http://thecolbertreport.cc.com/videos/pjgp86/intro---10-9-13", "http://thecolbertreport.cc.com/videos/ssksja/ride-for-the-constitution", "http://thecolbertreport.cc.com/videos/h502rh/twitter-s-ipo", "http://thecolbertreport.cc.com/videos/k9g3h2/tom-emmer-s-controversial-ad", "http://thecolbertreport.cc.com/videos/ldxsu2/tom-hanks", "http://thecolbertreport.cc.com/videos/uevql0/sign-off---goodnight" ], "guest": "Tom Hanks" }, { "date": "2013-10-10", "videos": [ "http://thecolbertreport.cc.com/videos/xqbppa/government-shutdown-day-10---shep-smith-s-input", "http://thecolbertreport.cc.com/videos/bzo5fv/because-shep---fox-news-deck", "http://thecolbertreport.cc.com/videos/rt3php/because-shep---fox-news-deck---colbert-info-news-veranda", "http://thecolbertreport.cc.com/videos/r2mded/hanksy-s-grizzly-art", "http://thecolbertreport.cc.com/videos/twnvtr/reed-albergotti---vanessa-o-connell", "http://thecolbertreport.cc.com/videos/gn1hnb/sign-off---goodnight" ], "guest": "Reed Albergotti &amp; Vanessa O'Connell" }, { "date": "2013-10-21", "videos": [ "http://thecolbertreport.cc.com/videos/zabrcj/end-of-the-government-shutdown", "http://thecolbertreport.cc.com/videos/fs5lvs/tip-wag---new-jersey--robo-teachers---amazon-erotica", "http://thecolbertreport.cc.com/videos/xmc07q/the-reflektors", "http://thecolbertreport.cc.com/videos/z30io4/sign-off----midnight" ], "guest": "The Reflektors" }, { "date": "2013-10-22", "videos": [ "http://thecolbertreport.cc.com/videos/0nhfjd/intro---10-22-13", "http://thecolbertreport.cc.com/videos/tpp3c7/the-in-box---lions-vs--tigers", "http://thecolbertreport.cc.com/videos/w4k85n/thought-for-food---kfc-s-go-cup---powerful-yogurt", "http://thecolbertreport.cc.com/videos/wv85sy/the-neiman-marcus-christmas-book", "http://thecolbertreport.cc.com/videos/413dai/a--scott-berg", "http://thecolbertreport.cc.com/videos/j9enbw/sign-off----the-heart-of-giving-" ], "guest": "A. Scott Berg" }, { "date": "2013-10-23", "videos": [ "http://thecolbertreport.cc.com/videos/pfan07/obamacare-website-gate", "http://thecolbertreport.cc.com/videos/51c17c/i-tried-to-sign-up-for-obamacare---health-care-house-of-horrors", "http://thecolbertreport.cc.com/videos/w07qf1/i-tried-to-sign-up-for-obamacare---health-care-navigators", "http://thecolbertreport.cc.com/videos/j95qfd/judy-woodruff---gwen-ifill", "http://thecolbertreport.cc.com/videos/rtpako/sign-off---goodnight" ], "guest": "Gwen Ifill, Judy Woodruff" }, { "date": "2013-10-24", "videos": [ "http://thecolbertreport.cc.com/videos/3cv3ae/intro---10-24-13", "http://thecolbertreport.cc.com/videos/8rabqj/girly-hats-for-the-marines", "http://thecolbertreport.cc.com/videos/6zcsyl/the-word---philantrophy", "http://thecolbertreport.cc.com/videos/60wsnw/craziest-f--king-thing-i-ve-ever-heard---tomtatoes", "http://thecolbertreport.cc.com/videos/9ak9w5/stephen-fry", "http://thecolbertreport.cc.com/videos/9py49q/sign-off---goodnight" ], "guest": "Stephen Fry" }, { "date": "2013-10-28", "videos": [ "http://thecolbertreport.cc.com/videos/xfzjxy/healthcare-gov-s-missing-woman", "http://thecolbertreport.cc.com/videos/0m56pa/germany-s-nsa-outrage", "http://thecolbertreport.cc.com/videos/7egvpg/germany-s-nsa-outrage---mark-mazzetti", "http://thecolbertreport.cc.com/videos/boarwv/lifetime-of-furfillment", "http://thecolbertreport.cc.com/videos/kz8x10/orlando-bloom", "http://thecolbertreport.cc.com/videos/fl658q/sign-off---goodnight" ], "guest": "Orlando Bloom" }, { "date": "2013-10-29", "videos": [ "http://thecolbertreport.cc.com/videos/dhae0b/intro---10-29-13", "http://thecolbertreport.cc.com/videos/qingaf/the-word---on-your-feet", "http://thecolbertreport.cc.com/videos/yxqllm/rand-paul-s-plagiarism-problem", "http://thecolbertreport.cc.com/videos/j9efvm/billy-collins", "http://thecolbertreport.cc.com/videos/fnaadw/sign-off----aimless-love-" ], "guest": "Billy Collins" }, { "date": "2013-10-30", "videos": [ "http://thecolbertreport.cc.com/videos/wibml9/intro---10-30-13", "http://thecolbertreport.cc.com/videos/me8aye/the-gop-s-self-disapproval", "http://thecolbertreport.cc.com/videos/jns4fj/threatdown---divorce--undocumented-network-jumpers---global-warming", "http://thecolbertreport.cc.com/videos/ammjdj/shepard-smith-s-digital-dependency", "http://thecolbertreport.cc.com/videos/7frodo/jack-andraka", "http://thecolbertreport.cc.com/videos/s14fzp/sign-off---goodnight" ], "guest": "Jack Andraka" }, { "date": "2013-10-31", "videos": [ "http://thecolbertreport.cc.com/videos/vr2jg3/intro---10-31-13", "http://thecolbertreport.cc.com/videos/8q3ppm/war-on-halloween---matt-lauer-s-costume", "http://thecolbertreport.cc.com/videos/2krnuz/blood-in-the-water---jim-wheeler-s-hypothetical-slavery-vote", "http://thecolbertreport.cc.com/videos/mzqttu/the-word---see-no-evil", "http://thecolbertreport.cc.com/videos/owduja/zach-sims", "http://thecolbertreport.cc.com/videos/53uet6/sign-off---the-glenlivet" ], "guest": "Zach Sims" }, { "date": "2013-11-04", "videos": [ "http://thecolbertreport.cc.com/videos/hfr88n/intro---11-4-13", "http://thecolbertreport.cc.com/videos/v68n7l/obamacare-s-gender-blind-premiums", "http://thecolbertreport.cc.com/videos/oi11jp/the-word---inc--god-we-trust", "http://thecolbertreport.cc.com/videos/29w6fx/-realhumanpraise-for-fox-news", "http://thecolbertreport.cc.com/videos/z1sht0/david-folkenflik", "http://thecolbertreport.cc.com/videos/vl9eiz/sign-off---goodnight" ], "guest": "David Folkenflik" }, { "date": "2013-11-05", "videos": [ "http://thecolbertreport.cc.com/videos/owoy1b/exclusive---julius-erving-extended-interview", "http://thecolbertreport.cc.com/videos/7bd2cq/rob-ford-s-crack-scandal", "http://thecolbertreport.cc.com/videos/s5iv9f/difference-makers---tim-morrison-and-meagan-brame", "http://thecolbertreport.cc.com/videos/6abc8c/gay-sex-in-the-insect-world", "http://thecolbertreport.cc.com/videos/9v56tr/julius-erving", "http://thecolbertreport.cc.com/videos/du2t8n/sign-off---crack-pipe" ], "guest": "Julius Erving" }, { "date": "2013-11-06", "videos": [ "http://thecolbertreport.cc.com/videos/rpo0ya/ms--marvel-s-reboot", "http://thecolbertreport.cc.com/videos/el55uc/tip-wag---toys--r--us--shroom-tombs---john-pike", "http://thecolbertreport.cc.com/videos/hdhamk/washington-state-s-gmo-labeling-initiative", "http://thecolbertreport.cc.com/videos/7nyym9/brian-lehrer", "http://thecolbertreport.cc.com/videos/snu1i2/sign-off---welcome-baby-fischel-" ], "guest": "Brian Lehrer" }, { "date": "2013-11-07", "videos": [ "http://thecolbertreport.cc.com/videos/d61yyh/employment-non-discrimination-act", "http://thecolbertreport.cc.com/videos/4cx9x8/sport-report---washington-redskins-name-controversy---miami-dolphins-bullying-allegations", "http://thecolbertreport.cc.com/videos/7cyanz/who-might-be-honoring-me-next----people-s-choice-awards", "http://thecolbertreport.cc.com/videos/80epmw/daniel-lieberman", "http://thecolbertreport.cc.com/videos/tx4mq5/sign-off---people-s-choice-awards" ], "guest": "Daniel Lieberman" }, { "date": "2013-11-11", "videos": [ "http://thecolbertreport.cc.com/videos/84rhzu/-60-minutes--benghazi-controversy", "http://thecolbertreport.cc.com/videos/uwudem/-60-minutes--benghazi-controversy---poncho-denews--bogus-bombshell", "http://thecolbertreport.cc.com/videos/bd4gnc/chris-christie-s-sunday-media-blitz", "http://thecolbertreport.cc.com/videos/2lqizl/peter-baker", "http://thecolbertreport.cc.com/videos/kglpif/sign-off---goodnight" ], "guest": "Peter Baker" }, { "date": "2013-11-12", "videos": [ "http://thecolbertreport.cc.com/videos/iitiue/intro---11-12-13", "http://thecolbertreport.cc.com/videos/pqrcpb/obamacare-enrollment-troubles", "http://thecolbertreport.cc.com/videos/s7e3qv/iran-nuke-negotiations---french-resistance", "http://thecolbertreport.cc.com/videos/0qvety/iran-nuke-negotiations---trita-parsi", "http://thecolbertreport.cc.com/videos/9s2qhn/shantytown-glamour-camping", "http://thecolbertreport.cc.com/videos/91wur1/david-christian", "http://thecolbertreport.cc.com/videos/61ms6y/sign-off----a-single-roll-of-the-dice-" ], "guest": "David Christian" }, { "date": "2013-11-13", "videos": [ "http://thecolbertreport.cc.com/videos/1p3who/u-s--drone-controversy", "http://thecolbertreport.cc.com/videos/h4v9zq/difference-makers---philip-steel", "http://thecolbertreport.cc.com/videos/w8qzgv/blood-in-the-water---richard-cohen-s-conventional-wisdom", "http://thecolbertreport.cc.com/videos/sn95d6/blind-boys-of-alabama---jimmy-carter" ], "guest": "Blind Boys of Alabama" }, { "date": "2013-11-14", "videos": [ "http://thecolbertreport.cc.com/videos/2o6sb0/philippines-typhoon-relief", "http://thecolbertreport.cc.com/videos/8olyhc/rob-ford-s-defiance", "http://thecolbertreport.cc.com/videos/wrbvsm/alexis-ohanian", "http://thecolbertreport.cc.com/videos/nmbdiq/sign-off---kitten-cuddle" ], "guest": "Alexis Ohanian" }, { "date": "2013-11-18", "videos": [ "http://thecolbertreport.cc.com/videos/yv49an/intro---11-18-13", "http://thecolbertreport.cc.com/videos/m7v6ee/philippines-relief-from-the-colbert-nation", "http://thecolbertreport.cc.com/videos/suwtn9/obamacare-backlash---pundit-hyperbole", "http://thecolbertreport.cc.com/videos/gnc6o8/obamacare-backlash---conservative-victory-lap", "http://thecolbertreport.cc.com/videos/12pe6a/alpha-dog-of-the-week---chip-wilson", "http://thecolbertreport.cc.com/videos/cdeggb/steve-mcqueen", "http://thecolbertreport.cc.com/videos/5ow82m/sign-off---goodnight" ], "guest": "Steve McQueen" }, { "date": "2013-11-19", "videos": [ "http://thecolbertreport.cc.com/videos/kzu5qm/walmart-s-employee-food-drive", "http://thecolbertreport.cc.com/videos/fkmwr4/america-s-wealth-divide", "http://thecolbertreport.cc.com/videos/nj0wp7/america-s-wealth-divide---robert-reich", "http://thecolbertreport.cc.com/videos/ppx1hm/slate-s--minutes-to-read--feature", "http://thecolbertreport.cc.com/videos/g1usdl/rick-santorum", "http://thecolbertreport.cc.com/videos/jnk6o6/sign-off---sweater-vest" ], "guest": "Rick Santorum" }, { "date": "2013-11-20", "videos": [ "http://thecolbertreport.cc.com/videos/kv4dxf/intro---11-20-13", "http://thecolbertreport.cc.com/videos/xxqfor/trey-radel-s-cocaine-arrest", "http://thecolbertreport.cc.com/videos/s2213y/tip-wag---hopped-up-pops--starbucks---american-consumers", "http://thecolbertreport.cc.com/videos/aiu6v1/sport-report---russia-s-anti-gay-winter-games", "http://thecolbertreport.cc.com/videos/bjap7z/m-i-a-" ], "guest": "M.I.A." }, { "date": "2013-11-21", "videos": [ "http://thecolbertreport.cc.com/videos/bz75lg/intro---11-21-13", "http://thecolbertreport.cc.com/videos/16t3na/nuclear-option-in-the-senate", "http://thecolbertreport.cc.com/videos/ynxkze/mary-fallin-and-same-sex-benefits", "http://thecolbertreport.cc.com/videos/pqqitw/guess-who-s-coming-to-thanksgiving-dinner-", "http://thecolbertreport.cc.com/videos/5idfv3/j-j--abrams", "http://thecolbertreport.cc.com/videos/1xi9cj/sign-off----s-" ], "guest": "J.J. Abrams" }, { "date": "2013-12-02", "videos": [ "http://thecolbertreport.cc.com/videos/a8rc4x/intro---12-2-13", "http://thecolbertreport.cc.com/videos/eax2go/healthcare-gov-revamp---presidential-turkey-pardon", "http://thecolbertreport.cc.com/videos/32fik6/amazon-s-delivery-drones", "http://thecolbertreport.cc.com/videos/kzzho9/blitzkrieg-on-grinchitude---bullet-catching-christmas-tree", "http://thecolbertreport.cc.com/videos/tllp9w/daniel-goleman", "http://thecolbertreport.cc.com/videos/4pjxs1/sign-off---eighth-anniversary-portrait" ], "guest": "Daniel Goleman" }, { "date": "2013-12-03", "videos": [ "http://thecolbertreport.cc.com/videos/810uks/intro---12-3-13", "http://thecolbertreport.cc.com/videos/6yqi5n/the-pope-s-secret-life", "http://thecolbertreport.cc.com/videos/ojh0t8/thought-for-food---ban-on-trans-fats---mcdonald-s-mcrib-mystery", "http://thecolbertreport.cc.com/videos/fepuu2/the-double-robotics-office-robot", "http://thecolbertreport.cc.com/videos/g14s8s/ed-stone", "http://thecolbertreport.cc.com/videos/jkirej/sign-off---honoring-ed-stone" ], "guest": "Ed Stone" }, { "date": "2013-12-04", "videos": [ "http://thecolbertreport.cc.com/videos/xzvt8w/do-nothing-congress", "http://thecolbertreport.cc.com/videos/vjdf7c/tip-wag---campaign-for-cursive---the-rnc", "http://thecolbertreport.cc.com/videos/y2lfd6/colbert-platinum---freedom-ship", "http://thecolbertreport.cc.com/videos/hzc351/bryan-stevenson", "http://thecolbertreport.cc.com/videos/eanv4b/sign-off" ], "guest": "Bryan Stevenson" }, { "date": "2013-12-05", "videos": [ "http://thecolbertreport.cc.com/videos/evhpy0/intro---12-5-13", "http://thecolbertreport.cc.com/videos/r2orue/the-in-box---flight-vs--invisibility", "http://thecolbertreport.cc.com/videos/t96lm4/legal-weed-in-colorado", "http://thecolbertreport.cc.com/videos/q1iez3/legal-weed-in-colorado---ricardo-baca", "http://thecolbertreport.cc.com/videos/zy6hlf/the-gop-s-lady-troubles", "http://thecolbertreport.cc.com/videos/blunby/alan-mulally", "http://thecolbertreport.cc.com/videos/xyy6ql/sign-off" ], "guest": "Allan Mulally" }, { "date": "2013-12-09", "videos": [ "http://thecolbertreport.cc.com/videos/8h6usc/remembering-nelson-mandela", "http://thecolbertreport.cc.com/videos/w58dfp/the-case-against-charity---bill-o-reilly---john-stossel", "http://thecolbertreport.cc.com/videos/5y4hrs/the-case-against-charity---homeless-for-the-holidays", "http://thecolbertreport.cc.com/videos/76e84o/stephen-s-grammy-nomination", "http://thecolbertreport.cc.com/videos/lv0hd2/david-keith", "http://thecolbertreport.cc.com/videos/6p2s11/sign-off" ], "guest": "David Keith" }, { "date": "2013-12-10", "videos": [ "http://thecolbertreport.cc.com/videos/my8zmp/intro---12-10-13", "http://thecolbertreport.cc.com/videos/7yd7o2/walmart-s-job-acceptance-rate", "http://thecolbertreport.cc.com/videos/z9zxq1/the-word---channel-serfing", "http://thecolbertreport.cc.com/videos/kaj6y2/blitzkrieg-on-grinchitude---early-christmas-in-venezuela", "http://thecolbertreport.cc.com/videos/pt29fq/alex-blumberg", "http://thecolbertreport.cc.com/videos/99z3wt/sign-off---farewell-to-frank-lesser" ], "guest": "Alex Blumberg" }, { "date": "2013-12-11", "videos": [ "http://thecolbertreport.cc.com/videos/zye2nw/blitzkrieg-on-grinchitude---festivus-pole-in-the-florida-capitol", "http://thecolbertreport.cc.com/videos/2vwk2a/obama-s-handshake-controversy", "http://thecolbertreport.cc.com/videos/ayrep6/sign-language-scandal-at-mandela-s-memorial", "http://thecolbertreport.cc.com/videos/jna07l/mike-huckabee-s--12-days-of-obamacare-", "http://thecolbertreport.cc.com/videos/ld1i97/elizabeth-gilbert", "http://thecolbertreport.cc.com/videos/nxssxf/sign-off---goodnight" ], "guest": "Elizabeth Gilbert" }, { "date": "2013-12-12", "videos": [ "http://thecolbertreport.cc.com/videos/juqc9w/bipartisan-budget-agreement", "http://thecolbertreport.cc.com/videos/ygi28a/cheating-death---sleep-health---cosmetic-surgery", "http://thecolbertreport.cc.com/videos/btidng/megyn-kelly-on-santa-s-skin-color", "http://thecolbertreport.cc.com/videos/gv6c5c/george-packer", "http://thecolbertreport.cc.com/videos/o3drqn/sign-off---goodnight" ], "guest": "George Packer" }, { "date": "2013-12-16", "videos": [ "http://thecolbertreport.cc.com/videos/tch93k/intro---12-16-13", "http://thecolbertreport.cc.com/videos/t0srep/google-s-robot-acquisition", "http://thecolbertreport.cc.com/videos/4q1rc7/nsa-video-game-surveillance", "http://thecolbertreport.cc.com/videos/qepegb/stephen-s-grammy-nomination---billy-crystal", "http://thecolbertreport.cc.com/videos/1wx2c5/jonah-peretti" ], "guest": "Jonah Peretti, Gregg Allman, the National" }, { "date": "2013-12-17", "videos": [ "http://thecolbertreport.cc.com/videos/ufkb4r/intro---12-17-13", "http://thecolbertreport.cc.com/videos/hdex9j/anti-nsa-ruling---edward-snowden-s-asylum-bid", "http://thecolbertreport.cc.com/videos/v7f6xw/tip-wag---all-china-edition", "http://thecolbertreport.cc.com/videos/18yj36/-ted-cruz-to-the-future-", "http://thecolbertreport.cc.com/videos/0hlwua/garry-trudeau" ], "guest": "Garry Trudeau, Cyndi Lauper, Alan Cumming" }, { "date": "2013-12-18", "videos": [ "http://thecolbertreport.cc.com/videos/uqgbw6/intro---12-18-13", "http://thecolbertreport.cc.com/videos/w20rkq/rethinking-customer-satisfaction", "http://thecolbertreport.cc.com/videos/hqucv3/santa-claus-ethnicity-debate", "http://thecolbertreport.cc.com/videos/7ick9v/santa-claus-ethnicity-debate---hans-beinholtz", "http://thecolbertreport.cc.com/videos/vv4aaz/keanu-reeves", "http://thecolbertreport.cc.com/videos/52csyt/sign-off---goodnight" ], "guest": "Keanu Reeves, Aaron Neville" }, { "date": "2013-12-19", "videos": [ "http://thecolbertreport.cc.com/videos/rdc6qs/jamie-dimon-s-christmas-card", "http://thecolbertreport.cc.com/videos/p9rfx1/fox-news-s--12-scams-of-christmas-", "http://thecolbertreport.cc.com/videos/na7pll/phil-robertson-s--duck-dynasty--suspension", "http://thecolbertreport.cc.com/videos/3q7h60/ben-stiller" ], "guest": "Ben Stiller, the Blind Boys of Alabama" } ], "2014": [ { "date": "2014-01-06", "videos": [ "http://thecolbertreport.cc.com/videos/qaqhv8/intro---1-6-14", "http://thecolbertreport.cc.com/videos/vobbe1/polar-vortex", "http://thecolbertreport.cc.com/videos/3goywo/tip-wag---fda--toy-manufacturers---logo-party", "http://thecolbertreport.cc.com/videos/hyg1jb/recreational-pot-sales-in-colorado", "http://thecolbertreport.cc.com/videos/5qceid/ken-roth", "http://thecolbertreport.cc.com/videos/f9w0xq/sign-off---polar-vortex" ], "guest": "Kenneth Roth" }, { "date": "2014-01-07", "videos": [ "http://thecolbertreport.cc.com/videos/4uqurx/donald-trump-and-fox---friends-vs--global-warming", "http://thecolbertreport.cc.com/videos/s9iccj/income-inequality-debate", "http://thecolbertreport.cc.com/videos/v3sijl/income-inequality-debate---jim-martin", "http://thecolbertreport.cc.com/videos/b9gbou/time-travel-research-in-cyberspace", "http://thecolbertreport.cc.com/videos/bz0qvj/john-seigenthaler", "http://thecolbertreport.cc.com/videos/a4c8i8/sign-off----a-big-heart-open-to-god-" ], "guest": "John Seigenthaler" }, { "date": "2014-01-08", "videos": [ "http://thecolbertreport.cc.com/videos/1vojc6/intro---1-8-14", "http://thecolbertreport.cc.com/videos/2zkpvh/chris-christie---the-george-washington-bridge-scandal", "http://thecolbertreport.cc.com/videos/bkjqeq/cheating-death---robo-sperm---health-roulette", "http://thecolbertreport.cc.com/videos/ct0fks/the-polar-vortex---fruit-tools", "http://thecolbertreport.cc.com/videos/i292oo/ishmael-beah", "http://thecolbertreport.cc.com/videos/srasr6/sign-off---cold-weather-fruit-hammer" ], "guest": "Ishmael Beah" }, { "date": "2014-01-09", "videos": [ "http://thecolbertreport.cc.com/videos/3nlrc7/new-jersey-bridge-scandal---damning-emails", "http://thecolbertreport.cc.com/videos/ez26gi/new-jersey-bridge-scandal---chris-christie-s-someone-else-a-culpa", "http://thecolbertreport.cc.com/videos/gvlcow/robert-gates-s--duty-", "http://thecolbertreport.cc.com/videos/cjww9c/jeff-skoll", "http://thecolbertreport.cc.com/videos/zmnwvz/sign-off---people-s-choice-award" ], "guest": "Jeff Skoll" }, { "date": "2014-01-13", "videos": [ "http://thecolbertreport.cc.com/videos/qh2gll/intro---1-13-14", "http://thecolbertreport.cc.com/videos/nmeif6/water-crisis-in-west-virginia", "http://thecolbertreport.cc.com/videos/l6fcm2/the-word---never-ender-s-game", "http://thecolbertreport.cc.com/videos/ekq6m6/mirriad---retroactive-product-placement", "http://thecolbertreport.cc.com/videos/zf2igg/sign-off---back-scratch" ], "guest": "David Fanning" }, { "date": "2014-01-14", "videos": [ "http://thecolbertreport.cc.com/videos/e0ksix/sport-report---baseball", "http://thecolbertreport.cc.com/videos/8aoa48/sport-report---winter-sports", "http://thecolbertreport.cc.com/videos/4lplhb/sport-report---billie-jean-king", "http://thecolbertreport.cc.com/videos/1urzjl/deborah-solomon", "http://thecolbertreport.cc.com/videos/b5df4x/sign-off---goodnight" ], "guest": "Deborah Solomon" }, { "date": "2014-01-15", "videos": [ "http://thecolbertreport.cc.com/videos/daejaf/ad-for-america", "http://thecolbertreport.cc.com/videos/bxdt1w/sport-report---uneducated-college-athletes---peyton-manning-s-sponsor-shout-out", "http://thecolbertreport.cc.com/videos/rbh95h/alpha-dog-of-the-week---francois-hollande", "http://thecolbertreport.cc.com/videos/tkqmyv/gabriel-sherman", "http://thecolbertreport.cc.com/videos/efgh7j/sign-off---goodnight" ], "guest": "Gabriel Sherman" }, { "date": "2014-01-16", "videos": [ "http://thecolbertreport.cc.com/videos/pqopug/nsa-software-implants", "http://thecolbertreport.cc.com/videos/6omuyc/colbert-platinum---diamond-pacifiers---financial-domination", "http://thecolbertreport.cc.com/videos/d589xx/stephen-s-grammy-nomination---carol-burnett", "http://thecolbertreport.cc.com/videos/4g3c4f/naquasia-legrand", "http://thecolbertreport.cc.com/videos/h6vhef/sign-off---colbert-s-book-club" ], "guest": "Naquasia LeGrand" }, { "date": "2014-01-20", "videos": [ "http://thecolbertreport.cc.com/videos/2jaqbf/intro---1-20-13", "http://thecolbertreport.cc.com/videos/6qy0qw/peyton-manning-s--omaha--chant---marijuana-s-effects-on-football", "http://thecolbertreport.cc.com/videos/bg48ms/the-word---thrift-justice", "http://thecolbertreport.cc.com/videos/1ah0qw/pope-francis-s-breastfeeding-support---affordable-sainthood", "http://thecolbertreport.cc.com/videos/szyyzo/scott-stossel", "http://thecolbertreport.cc.com/videos/3kds6e/sign-off---colbert-s-book-club-reminder" ], "guest": "Scott Stossel" }, { "date": "2014-01-21", "videos": [ "http://thecolbertreport.cc.com/videos/6g3tkl/sign-off---colbert-s-book-club---ernest-hemingway-s--a-farewell-to-arms-", "http://thecolbertreport.cc.com/videos/27el91/colbert-s-book-club---mariel-hemingway-on-ernest-hemingway", "http://thecolbertreport.cc.com/videos/c8gx08/colbert-s-book-club---michael-chabon----a-farewell-to-arms-", "http://thecolbertreport.cc.com/videos/2tt8np/colbert-s-book-club---better-know-a-hemingway", "http://thecolbertreport.cc.com/videos/8vzg0l/colbert-s-book-club---ernest-hemingway" ], "guest": "Michael Chabon, Mariel Hemingway" }, { "date": "2014-01-22", "videos": [ "http://thecolbertreport.cc.com/videos/o2dl8a/intro---1-22-14", "http://thecolbertreport.cc.com/videos/id8eug/mystery-doughnut-on-mars", "http://thecolbertreport.cc.com/videos/db8f37/tip-wag---air-force--dr--keith-ablow---westminster-dog-show", "http://thecolbertreport.cc.com/videos/wjov9z/tikker-death-watch", "http://thecolbertreport.cc.com/videos/y85ykp/charles-duhigg", "http://thecolbertreport.cc.com/videos/ihby00/sign-off---mutt" ], "guest": "Charles Duhigg" }, { "date": "2014-01-23", "videos": [ "http://thecolbertreport.cc.com/videos/ay6diu/riots-in-the-ukraine", "http://thecolbertreport.cc.com/videos/nnj3ic/end-of-net-neutrality", "http://thecolbertreport.cc.com/videos/qatuhg/end-of-net-neutrality---tim-wu", "http://thecolbertreport.cc.com/videos/0i8pwp/china-s-colbert-report-rip-off", "http://thecolbertreport.cc.com/videos/fykny6/patricia-churchland", "http://thecolbertreport.cc.com/videos/5axbrg/sign-off---goodnight" ], "guest": "Patricia Churchland" }, { "date": "2014-01-27", "videos": [ "http://thecolbertreport.cc.com/videos/qs3r6w/logo-restrictions-for-the-super-bowl", "http://thecolbertreport.cc.com/videos/51gnff/richard-sherman-s-rant-fallout", "http://thecolbertreport.cc.com/videos/mk6zsq/nate-silver", "http://thecolbertreport.cc.com/videos/c58bm1/sign-off---grammy-award" ], "guest": "Nate Silver" }, { "date": "2014-01-28", "videos": [ "http://thecolbertreport.cc.com/videos/gzw6pe/superb-owl-xlviii---nfl-extra-point-debate", "http://thecolbertreport.cc.com/videos/g3ng7g/fallback-position---championship-nfl-quarterback", "http://thecolbertreport.cc.com/videos/y1y1q6/spotted-owls-vs--barred-owls---david-yarnold", "http://thecolbertreport.cc.com/videos/wx55bg/justin-tuck", "http://thecolbertreport.cc.com/videos/q6n89x/sign-off---tootsie-pop" ], "guest": "Justin Tuck" }, { "date": "2014-01-29", "videos": [ "http://thecolbertreport.cc.com/videos/79qyj3/superb-owl-xlviii---football-christmas", "http://thecolbertreport.cc.com/videos/pzw1hz/fallback-position---championship-nfl-quarterback-pt--2", "http://thecolbertreport.cc.com/videos/0czypw/distractions---reactions-at-the-state-of-the-union", "http://thecolbertreport.cc.com/videos/6h1tef/cris-carter" ], "guest": "Cris Carter" }, { "date": "2014-01-30", "videos": [ "http://thecolbertreport.cc.com/videos/vp5oqx/superb-owl-xlviii---football-health-concerns", "http://thecolbertreport.cc.com/videos/8z0t1l/superb-owl-xlviii---football-health-concerns---steve-fainaru---mark-fainaru-wada", "http://thecolbertreport.cc.com/videos/b88aif/big-game-debate-with-ed-murray-and-michael-hancock", "http://thecolbertreport.cc.com/videos/7aqq1s/drew-brees", "http://thecolbertreport.cc.com/videos/yucj0t/sign-off---football-toss" ], "guest": "Drew Brees" }, { "date": "2014-02-03", "videos": [ "http://thecolbertreport.cc.com/videos/kmzt7v/coca-cola-s-diverse--america-the-beautiful--ad", "http://thecolbertreport.cc.com/videos/65qhlv/tip-wag---litigious-cheerleaders--pope-francis---china", "http://thecolbertreport.cc.com/videos/nezg8b/j-k--rowling-s-ron-and-hermione-bombshell", "http://thecolbertreport.cc.com/videos/nocpjv/jennifer-senior", "http://thecolbertreport.cc.com/videos/msb2vl/sign-off---goodnight" ], "guest": "Jennifer Senior" }, { "date": "2014-02-04", "videos": [ "http://thecolbertreport.cc.com/videos/m0k7nu/black-history-of-children-s-dental-health-month---chris-christie-s-bridge-scandal-connection", "http://thecolbertreport.cc.com/videos/81q2jm/chris-christie-vs--david-wildstein-on-the-new-jersey-bridge-scandal", "http://thecolbertreport.cc.com/videos/49r39y/pussy-riot-pt--1", "http://thecolbertreport.cc.com/videos/08f0xw/pussy-riot-pt--2", "http://thecolbertreport.cc.com/videos/ubzb8b/sign-off---pussy-riot----bringing-human-rights-back-home-" ], "guest": "Pussy Riot" }, { "date": "2014-02-05", "videos": [ "http://thecolbertreport.cc.com/videos/nn8d7g/intro---2-5-14", "http://thecolbertreport.cc.com/videos/w3uorg/obamacare-jobs-debate", "http://thecolbertreport.cc.com/videos/djw49l/america-s-wealthy-under-siege---mort-zuckerman", "http://thecolbertreport.cc.com/videos/cjdkxj/lake-street-dive", "http://thecolbertreport.cc.com/videos/6itibl/sign-off---goodnight" ], "guest": "Lake Street Dive" }, { "date": "2014-02-06", "videos": [ "http://thecolbertreport.cc.com/videos/tzqa3o/obama---the-keystone-xl-pipeline", "http://thecolbertreport.cc.com/videos/e3q55j/sochi-olympics-cry-athlon", "http://thecolbertreport.cc.com/videos/yzcp46/tip-wag---tsa-peeping-toms--domino-s-pizza-artists---federal-judges", "http://thecolbertreport.cc.com/videos/ze9n7p/paul-krugman", "http://thecolbertreport.cc.com/videos/1ur5x9/sign-off---welcome-baby-eli-" ], "guest": "Paul Krugman" }, { "date": "2014-02-10", "videos": [ "http://thecolbertreport.cc.com/videos/alv9kr/rocky-start-at-the-sochi-olympics", "http://thecolbertreport.cc.com/videos/155uge/sport-report---from-russia-with-love--but-no-gay-stuff-", "http://thecolbertreport.cc.com/videos/s385jl/taliban-dognappers", "http://thecolbertreport.cc.com/videos/hmu6hf/patrick-kennedy", "http://thecolbertreport.cc.com/videos/bl6jzi/sign-off---buddy-cole" ], "guest": "Patrick Kennedy" }, { "date": "2014-02-11", "videos": [ "http://thecolbertreport.cc.com/videos/zddxmq/intro---2-11-14", "http://thecolbertreport.cc.com/videos/yesavg/blade-in-the-usa", "http://thecolbertreport.cc.com/videos/ow2caa/sport-report---from-russia-with-love--but-no-gay-stuff----u-s--speedskating-team", "http://thecolbertreport.cc.com/videos/cxui4b/sport-report---michael-sam-s-coming-out", "http://thecolbertreport.cc.com/videos/8yt2ar/charlie-crist", "http://thecolbertreport.cc.com/videos/v6h2iw/sign-off---goodnight" ], "guest": "Charlie Crist" }, { "date": "2014-02-12", "videos": [ "http://thecolbertreport.cc.com/videos/mke8f4/white-house-state-dinner", "http://thecolbertreport.cc.com/videos/ngjlqq/bill-o-reilly-s-interview-of-the-decade", "http://thecolbertreport.cc.com/videos/f7yt2f/because-shep---white-house-menu-report", "http://thecolbertreport.cc.com/videos/zqevr4/godfrey-reggio", "http://thecolbertreport.cc.com/videos/wd8rlk/sign-off---au-revoir" ], "guest": "Godfrey Reggio" }, { "date": "2014-02-18", "videos": [ "http://thecolbertreport.cc.com/videos/cb08sc/intro---2-18-14", "http://thecolbertreport.cc.com/videos/esabem/jimmy-fallon-s--tonight-show--debut", "http://thecolbertreport.cc.com/videos/icw75d/transgender-awareness", "http://thecolbertreport.cc.com/videos/px4k4w/transgender-awareness---janet-mock", "http://thecolbertreport.cc.com/videos/fpn2d7/brian-greene", "http://thecolbertreport.cc.com/videos/7cxypm/sign-off---goodnight" ], "guest": "Brian Greene" }, { "date": "2014-02-19", "videos": [ "http://thecolbertreport.cc.com/videos/8ht320/intro---2-19-14", "http://thecolbertreport.cc.com/videos/z8viri/sport-report---from-russia-with-love--but-no-gay-stuff----buddy-cole-in-sochi", "http://thecolbertreport.cc.com/videos/k0fmq0/victory-and-vigilance-at-the-sochi-games", "http://thecolbertreport.cc.com/videos/pdgpm2/smile-file---al-qaeda-bomb-blunder", "http://thecolbertreport.cc.com/videos/80x11s/alexander-payne", "http://thecolbertreport.cc.com/videos/r3yso9/sign-off---goodnight" ], "guest": "Alexander Payne" }, { "date": "2014-02-20", "videos": [ "http://thecolbertreport.cc.com/videos/gtx5i8/auction-for-bill-o-reilly-s-stolen-microwave", "http://thecolbertreport.cc.com/videos/7alqr9/sochi-olympics-2014---bode-miller", "http://thecolbertreport.cc.com/videos/i1pl20/stanley-mcchrystal", "http://thecolbertreport.cc.com/videos/3j3ziw/sign-off---microwave-auction---stanley-mcchrystal" ], "guest": "Gen. Stanley McChrystal" }, { "date": "2014-02-24", "videos": [ "http://thecolbertreport.cc.com/videos/1x3cmv/intro---2-24-14", "http://thecolbertreport.cc.com/videos/dxcy1y/blade-in-the-usa---dutch-coach-s-anti-america-rant", "http://thecolbertreport.cc.com/videos/y1wxc3/crisis-in-ukraine", "http://thecolbertreport.cc.com/videos/8067fc/crisis-in-ukraine---gideon-rose", "http://thecolbertreport.cc.com/videos/2y58gs/darlene-love", "http://thecolbertreport.cc.com/videos/illjzj/sign-off---remembering-harold-ramis" ], "guest": "Darlene Love" }, { "date": "2014-02-25", "videos": [ "http://thecolbertreport.cc.com/videos/blcgek/the-huffington-post-on-the-past-lives-of-children", "http://thecolbertreport.cc.com/videos/uov6m4/outrage-over-military-budget-cuts", "http://thecolbertreport.cc.com/videos/y2j7vo/the-word---jobsolete", "http://thecolbertreport.cc.com/videos/yw875l/consumers-for-paper-options", "http://thecolbertreport.cc.com/videos/w2zhlc/st--vincent" ], "guest": "St. Vincent" }, { "date": "2014-02-26", "videos": [ "http://thecolbertreport.cc.com/videos/7vvoyf/michelle-obama-vs--child-obesity", "http://thecolbertreport.cc.com/videos/gs9vcz/colbert-s-very-wanted---who-took-gumby-", "http://thecolbertreport.cc.com/videos/y307f3/fox-news-on-hillary-clinton-s-age", "http://thecolbertreport.cc.com/videos/tb28zm/meryl-davis---charlie-white", "http://thecolbertreport.cc.com/videos/3w27qv/sign-off---chair-twirl" ], "guest": "Meryl Davis &amp; Charlie White" }, { "date": "2014-02-27", "videos": [ "http://thecolbertreport.cc.com/videos/11tivg/intro---2-27-14", "http://thecolbertreport.cc.com/videos/28qta1/defeat-for-arizona-s-anti-gay-legislation", "http://thecolbertreport.cc.com/videos/p8fj8f/black-history-month---stereotypes---racial-identity", "http://thecolbertreport.cc.com/videos/300ry4/black-history-month---laser-klan", "http://thecolbertreport.cc.com/videos/8ijgcp/jeff-goldblum", "http://thecolbertreport.cc.com/videos/axkpkj/sign-off---wedding-cake" ], "guest": "Jeff Goldblum" }, { "date": "2014-03-03", "videos": [ "http://thecolbertreport.cc.com/videos/hbrhpe/magical-evening-at-the-2014-academy-awards", "http://thecolbertreport.cc.com/videos/q8u939/phony-obamacare-horror-stories", "http://thecolbertreport.cc.com/videos/8jpus1/phony-obamacare-horror-stories---patrick-stewart", "http://thecolbertreport.cc.com/videos/ysbw7d/sports-illustrated-barbie", "http://thecolbertreport.cc.com/videos/wwqhgn/caitlin-flanagan", "http://thecolbertreport.cc.com/videos/z2x5tb/sign-off----waiting-for-godot-" ], "guest": "Caitlin Flanagan" }, { "date": "2014-03-04", "videos": [ "http://thecolbertreport.cc.com/videos/y4s2js/intro---3-4-14", "http://thecolbertreport.cc.com/videos/avavv1/better-know-a-geopolitical-flashpoint---crimean-peninsula", "http://thecolbertreport.cc.com/videos/r79jgq/cold-war-update---obama-s-ukraine-response", "http://thecolbertreport.cc.com/videos/dpc49v/arizona-s-religious-freedom-bill---self-professed-gays", "http://thecolbertreport.cc.com/videos/bjwnn1/jaron-lanier", "http://thecolbertreport.cc.com/videos/38n33x/sign-off---shoe-answering-machine" ], "guest": "Jaron Lanier" }, { "date": "2014-03-05", "videos": [ "http://thecolbertreport.cc.com/videos/a2cnjz/intro---3-5-14", "http://thecolbertreport.cc.com/videos/chbquj/bill-o-reilly-on-the-downside-of-a-woman-president", "http://thecolbertreport.cc.com/videos/ak3veo/tip-wag---chevron---fda", "http://thecolbertreport.cc.com/videos/ppqf1u/headline-news-rebrand", "http://thecolbertreport.cc.com/videos/0exuju/beau-willimon", "http://thecolbertreport.cc.com/videos/gexopu/sign-off---goodnight" ], "guest": "Beau Willimon" }, { "date": "2014-03-06", "videos": [ "http://thecolbertreport.cc.com/videos/mmf7np/intro---3-6-14", "http://thecolbertreport.cc.com/videos/te4fyy/legal-upskirting-in-massachusetts", "http://thecolbertreport.cc.com/videos/awc6am/women-s-history-month---impossible-body-standards---appetizing-beauty-products", "http://thecolbertreport.cc.com/videos/3si7rs/warner-music-s--happy-birthday--copyright", "http://thecolbertreport.cc.com/videos/f3jjle/theaster-gates", "http://thecolbertreport.cc.com/videos/g6qd4x/sign-off---liberty-bell" ], "guest": "Theaster Gates" }, { "date": "2014-03-10", "videos": [ "http://thecolbertreport.cc.com/videos/ag9578/intro---3-10-14", "http://thecolbertreport.cc.com/videos/a6f94j/cross-controversy-at-9-11-museum", "http://thecolbertreport.cc.com/videos/bn0fy6/the-word---pew--pew--pew-", "http://thecolbertreport.cc.com/videos/gh6urb/neil-degrasse-tyson-pt--1", "http://thecolbertreport.cc.com/videos/42g6iq/neil-degrasse-tyson-pt--2", "http://thecolbertreport.cc.com/videos/1bou2c/sign-off---goodnight" ], "guest": "Neil DeGrasse Tyson" }, { "date": "2014-03-11", "videos": [ "http://thecolbertreport.cc.com/videos/g08oh5/intro---3-11-14", "http://thecolbertreport.cc.com/videos/usi00y/fan-magazine-for-pope-francis", "http://thecolbertreport.cc.com/videos/pis5qm/the-huffington-post-s-anal-sex-bombshell", "http://thecolbertreport.cc.com/videos/pvjhwj/the-huffington-post-s-anal-sex-bombshell---randy-ferrar", "http://thecolbertreport.cc.com/videos/qacc88/tip-wag---u-s--department-of-justice---wall-street", "http://thecolbertreport.cc.com/videos/nba46a/ronan-farrow", "http://thecolbertreport.cc.com/videos/hncfzx/sign-off---pope-centerfold" ], "guest": "Ronan Farrow" }, { "date": "2014-03-12", "videos": [ "http://thecolbertreport.cc.com/videos/ut2zdq/president-obama-on--between-two-ferns-", "http://thecolbertreport.cc.com/videos/h6q3h4/vladimir-putin-s-propaganda-machine---russia-today", "http://thecolbertreport.cc.com/videos/i7q6ld/vladimir-putin-s-propaganda-machine---russia-today---liz-wahl", "http://thecolbertreport.cc.com/videos/wp6hv1/nsa-s--ask-zelda--advice-column", "http://thecolbertreport.cc.com/videos/2qsrw5/maria-shriver", "http://thecolbertreport.cc.com/videos/i6cs26/sign-off---goodnight" ], "guest": "Maria Shriver" }, { "date": "2014-03-13", "videos": [ "http://thecolbertreport.cc.com/videos/5js43m/colorado-s-booming-marijuana-industry", "http://thecolbertreport.cc.com/videos/a1ejoq/bears---balls---ganjapreneurs", "http://thecolbertreport.cc.com/videos/xkuwmd/obama-s-overtime-pay-expansion", "http://thecolbertreport.cc.com/videos/k9goh1/simon-schama", "http://thecolbertreport.cc.com/videos/tl1mce/sign-off---goodnight" ], "guest": "Simon Schama" }, { "date": "2014-03-24", "videos": [ "http://thecolbertreport.cc.com/videos/hjb6kt/back-from-spring-break", "http://thecolbertreport.cc.com/videos/imczen/better-know-a-district---north-carolina-s-1st---g-k--butterfield", "http://thecolbertreport.cc.com/videos/8cy48v/malaysia-airlines--missing-plane", "http://thecolbertreport.cc.com/videos/g4poyv/bryan-cranston", "http://thecolbertreport.cc.com/videos/a2iw3f/sign-off---goodnight" ], "guest": "Bryan Cranston" }, { "date": "2014-03-25", "videos": [ "http://thecolbertreport.cc.com/videos/9n1euv/hugely-historic-night-with-jimmy-carter", "http://thecolbertreport.cc.com/videos/0k0w7y/president-jimmy-carter---the-colbert-interviews", "http://thecolbertreport.cc.com/videos/xepzs5/jimmy-carter-pt--1", "http://thecolbertreport.cc.com/videos/t3jp2g/jimmy-carter-pt--2", "http://thecolbertreport.cc.com/videos/uyisf5/sign-off---goodnight--carter-library" ], "guest": "Jimmy Carter" }, { "date": "2014-03-26", "videos": [ "http://thecolbertreport.cc.com/videos/1zhwtt/drunk-secret-service-agents-in-amsterdam", "http://thecolbertreport.cc.com/videos/b6cwb3/sport-report---professional-soccer-toddler--golf-innovations---washington-redskins-charm-offensive", "http://thecolbertreport.cc.com/videos/q8pyub/bright-prospects-for-the-gop-in-2016", "http://thecolbertreport.cc.com/videos/mcpvbd/errol-morris", "http://thecolbertreport.cc.com/videos/ycwnol/sign-off---goodnight" ], "guest": "Errol Morris" }, { "date": "2014-03-27", "videos": [ "http://thecolbertreport.cc.com/videos/qforig/intro---3-27-14", "http://thecolbertreport.cc.com/videos/uqmqua/ukraine-s-dolphin-army", "http://thecolbertreport.cc.com/videos/cabdj6/morning-news-for-millennials", "http://thecolbertreport.cc.com/videos/srj2lz/hawaii-s-prostitution-exemption-for-cops", "http://thecolbertreport.cc.com/videos/77oyfl/darren-aronofsky", "http://thecolbertreport.cc.com/videos/tyuheg/sign-off---playdate-with-charlie-rose" ], "guest": "Darren Aronofsky" }, { "date": "2014-03-31", "videos": [ "http://thecolbertreport.cc.com/videos/lumbga/intro---3-31-14", "http://thecolbertreport.cc.com/videos/3yhe9h/emoji-ethnicity", "http://thecolbertreport.cc.com/videos/1zkr18/who-s-attacking-me-now-----cancelcolbert", "http://thecolbertreport.cc.com/videos/35dcpo/stephen-s--cancelcolbert-mea-culpa", "http://thecolbertreport.cc.com/videos/vj7n1j/biz-stone-pt--1", "http://thecolbertreport.cc.com/videos/yc8huq/biz-stone-pt--2", "http://thecolbertreport.cc.com/videos/adyesn/sign-off---bud-light-lime", "http://thecolbertreport.cc.com/videos/p65waq/3-31-14-in--60-seconds" ], "guest": "Biz Stone" }, { "date": "2014-04-01", "videos": [ "http://thecolbertreport.cc.com/videos/3ljnpx/obamacare-victory-lap", "http://thecolbertreport.cc.com/videos/cviqog/union-push-for-college-athletes", "http://thecolbertreport.cc.com/videos/64v4nu/union-push-for-college-athletes---ramogi-huma", "http://thecolbertreport.cc.com/videos/784uo8/john-malkovich", "http://thecolbertreport.cc.com/videos/rc1p9n/sign-off---goodnight", "http://thecolbertreport.cc.com/videos/c9xd2d/4-1-14-in--60-seconds" ], "guest": "John Malkovich" }, { "date": "2014-04-02", "videos": [ "http://thecolbertreport.cc.com/videos/zxr7i2/u-n--climate-change-report", "http://thecolbertreport.cc.com/videos/o639ag/the-word---silent-but-deadly", "http://thecolbertreport.cc.com/videos/1ypxfz/silicon-valley-s-cosmetic-surgery-boom", "http://thecolbertreport.cc.com/videos/pnhs3f/dan-harris", "http://thecolbertreport.cc.com/videos/wrxyua/sign-off---comedy-central-app" ], "guest": "Dan Harris" }, { "date": "2014-04-03", "videos": [ "http://thecolbertreport.cc.com/videos/kas793/holy-grail-discovery", "http://thecolbertreport.cc.com/videos/n79fg2/supreme-court-ruling-on-aggregate-campaign-funding", "http://thecolbertreport.cc.com/videos/n6lhb9/supreme-court-ruling-on-aggregate-campaign-funding---emily-bazelon", "http://thecolbertreport.cc.com/videos/4vb00q/bill-o-reilly-s-defense-of-inequality", "http://thecolbertreport.cc.com/videos/fgsnrb/mark-mazzetti", "http://thecolbertreport.cc.com/videos/255jt7/sign-off---coffee-break" ], "guest": "Mark Mazzetti" }, { "date": "2014-04-07", "videos": [ "http://thecolbertreport.cc.com/videos/lz94c9/jeb-bush-on-illegal-immigrants", "http://thecolbertreport.cc.com/videos/jjifoz/tip-wag---new-york-times--alaska-board-of-game---mazda", "http://thecolbertreport.cc.com/videos/jvziju/matt-bevin-s-cockfighting-controversy", "http://thecolbertreport.cc.com/videos/xj9d66/edward-frenkel", "http://thecolbertreport.cc.com/videos/2dvxf1/sign-off---newspaper" ], "guest": "Edward Frenkel" }, { "date": "2014-04-08", "videos": [ "http://thecolbertreport.cc.com/videos/m6pj8n/intro---4-8-14", "http://thecolbertreport.cc.com/videos/wpor0d/america-s-uninformed-opinion-on-ukraine", "http://thecolbertreport.cc.com/videos/ncl2k5/cia-interrogation-report", "http://thecolbertreport.cc.com/videos/nemi1a/common-core-confusion", "http://thecolbertreport.cc.com/videos/uyjkgv/jane-goodall", "http://thecolbertreport.cc.com/videos/2v7871/sign-off---cheers" ], "guest": "Jane Goodall" }, { "date": "2014-04-09", "videos": [ "http://thecolbertreport.cc.com/videos/53uymc/intro---4-9-14", "http://thecolbertreport.cc.com/videos/o3rniz/heartbleed-internet-bug", "http://thecolbertreport.cc.com/videos/8a5aao/brendan-eich-s-forced-resignation", "http://thecolbertreport.cc.com/videos/3pg0sn/brendan-eich-s-forced-resignation---andrew-sullivan", "http://thecolbertreport.cc.com/videos/l9zuu1/obama-s-equal-pay-orders", "http://thecolbertreport.cc.com/videos/wr794b/sheryl-sandberg", "http://thecolbertreport.cc.com/videos/mroadr/sign-off---goodnight" ], "guest": "Sheryl Sandberg" }, { "date": "2014-04-10", "videos": [ "http://thecolbertreport.cc.com/videos/k436zi/david-letterman-s-retirement", "http://thecolbertreport.cc.com/videos/kv1taq/cheating-death---depression-edition", "http://thecolbertreport.cc.com/videos/3a9611/bill-o-reilly-on-america-s--grievance-industry-", "http://thecolbertreport.cc.com/videos/yi8cxa/sting" ], "guest": "Sting" }, { "date": "2014-04-21", "videos": [ "http://thecolbertreport.cc.com/videos/1tyawq/intro---4-21-14", "http://thecolbertreport.cc.com/videos/0w61r2/al-qaeda-s-overly-public-pep-rally", "http://thecolbertreport.cc.com/videos/055g6r/hillary-clinton-s-grandmother-status", "http://thecolbertreport.cc.com/videos/7d5y74/stephen-colbert-s-bats--t-serious---hillary-clinton-shoe-spiracy-theory", "http://thecolbertreport.cc.com/videos/hls49q/extreme-measures-for-boosting-church-attendance", "http://thecolbertreport.cc.com/videos/p5o99a/ken-burns", "http://thecolbertreport.cc.com/videos/v2nud8/sign-off---goodnight" ], "guest": "Ken Burns" }, { "date": "2014-04-22", "videos": [ "http://thecolbertreport.cc.com/videos/t2msi7/intro---4-22-14", "http://thecolbertreport.cc.com/videos/1j1m90/postage-stamp-for-harvey-milk", "http://thecolbertreport.cc.com/videos/0bsy88/better-know-a-district---california-s-29th", "http://thecolbertreport.cc.com/videos/kg42wy/bad-news-for-ethanol-on-earth-day", "http://thecolbertreport.cc.com/videos/yeczpa/george-will", "http://thecolbertreport.cc.com/videos/0b7ymc/sign-off---goodnight" ], "guest": "George Will" }, { "date": "2014-04-23", "videos": [ "http://thecolbertreport.cc.com/videos/vnbuc3/intro---4-23-14", "http://thecolbertreport.cc.com/videos/8l716g/canada-s-booming-middle-class", "http://thecolbertreport.cc.com/videos/tn3469/sport-report---snacks-for-students---cockfighting", "http://thecolbertreport.cc.com/videos/lz21l6/america-s-lime-crisis", "http://thecolbertreport.cc.com/videos/g5cgj8/john-calipari", "http://thecolbertreport.cc.com/videos/6glbo4/sign-off---goodnight" ], "guest": "John Calipari" }, { "date": "2014-04-24", "videos": [ "http://thecolbertreport.cc.com/videos/2c27q9/supreme-court-affirmative-action-ruling", "http://thecolbertreport.cc.com/videos/ehanpl/the-ballad-of-cliven-bundy", "http://thecolbertreport.cc.com/videos/5mf7zk/phyllis-schlafly-vs--equal-pay-for-women", "http://thecolbertreport.cc.com/videos/ufdzm1/george-saunders", "http://thecolbertreport.cc.com/videos/vtuwb7/sign-off---country-boy" ], "guest": "George Saunders" }, { "date": "2014-04-28", "videos": [ "http://thecolbertreport.cc.com/videos/6fq0xa/popechella", "http://thecolbertreport.cc.com/videos/yhq2cw/preventable-diseases-on-the-rise", "http://thecolbertreport.cc.com/videos/svsc0q/preventable-diseases-on-the-rise---paul-offit", "http://thecolbertreport.cc.com/videos/5my1ja/outrage-over-obama-s-bowing", "http://thecolbertreport.cc.com/videos/i1lidr/michael-mcfaul", "http://thecolbertreport.cc.com/videos/gu3d7a/sign-off----deadly-choices-" ], "guest": "Michael McFaul" }, { "date": "2014-04-29", "videos": [ "http://thecolbertreport.cc.com/videos/cxn6h3/intro---4-29-14", "http://thecolbertreport.cc.com/videos/jfz395/donald-sterling-s-racist-comments", "http://thecolbertreport.cc.com/videos/td7npw/tip-wag---j-j--abrams---u-s--congress", "http://thecolbertreport.cc.com/videos/8pyjlg/clemency-push-for-drug-convicts", "http://thecolbertreport.cc.com/videos/eyae6k/robert-rodriguez", "http://thecolbertreport.cc.com/videos/11mf9t/sign-off---goodnight" ], "guest": "Robert Rodriguez" }, { "date": "2014-04-30", "videos": [ "http://thecolbertreport.cc.com/videos/kdwdgq/intro---4-30-14", "http://thecolbertreport.cc.com/videos/6lmqu6/president-assad-s-reelection-bid", "http://thecolbertreport.cc.com/videos/so1kau/republican-advantage-in-the-2014-midterms", "http://thecolbertreport.cc.com/videos/2nuw76/republican-advantage-in-the-2014-midterms---clay-aiken", "http://thecolbertreport.cc.com/videos/tfpj0x/america-s-first-lesbian-throuple", "http://thecolbertreport.cc.com/videos/fs6gac/audra-mcdonald" ], "guest": "Audra McDonald" }, { "date": "2014-05-01", "videos": [ "http://thecolbertreport.cc.com/videos/798k8c/-watters--world-", "http://thecolbertreport.cc.com/videos/1e524e/-watters--world----tad-s-turf", "http://thecolbertreport.cc.com/videos/zbjl95/cnn-s-endless-wait-for-flight-370-news", "http://thecolbertreport.cc.com/videos/hji3d3/saul-williams", "http://thecolbertreport.cc.com/videos/ie7s2m/saul-williams----amethyst-rocks-" ], "guest": "Saul Williams" }, { "date": "2014-05-05", "videos": [ "http://thecolbertreport.cc.com/videos/unhuhc/intro---5-5-14", "http://thecolbertreport.cc.com/videos/oxvwlw/nancy-pelosi-s-cinco-de-mayo-celebration", "http://thecolbertreport.cc.com/videos/0hu2aq/better-know-a-district---virginia-s-3rd", "http://thecolbertreport.cc.com/videos/fo52kn/kareem-abdul-jabbar-on-racism-and-ghosts", "http://thecolbertreport.cc.com/videos/c0s4ec/edward-o--wilson", "http://thecolbertreport.cc.com/videos/4tegd5/sign-off---goodnight" ], "guest": "Edward O. Wilson" }, { "date": "2014-05-06", "videos": [ "http://thecolbertreport.cc.com/videos/pnqv06/intro---5-6-14", "http://thecolbertreport.cc.com/videos/khlwzq/rand-paul-s-derby-date-with-rupert-murdoch", "http://thecolbertreport.cc.com/videos/s4me1v/nra-annual-meeting---guns-everywhere-in-georgia", "http://thecolbertreport.cc.com/videos/zekn1k/satanic-monument-for-the-oklahoma-state-house", "http://thecolbertreport.cc.com/videos/iihdkg/bette-midler", "http://thecolbertreport.cc.com/videos/n572qd/sign-off---nightcap" ], "guest": "Bette Midler" }, { "date": "2014-05-07", "videos": [ "http://thecolbertreport.cc.com/videos/1ztozi/intro---5-7-14", "http://thecolbertreport.cc.com/videos/p4t1a2/vibrant-constipation-pill", "http://thecolbertreport.cc.com/videos/ywt77c/tip-wag---herald-embroidery--bug-scientists---dana-perino", "http://thecolbertreport.cc.com/videos/2u61x6/ukraine-in-the-membrane", "http://thecolbertreport.cc.com/videos/uz2nio/david-remnick", "http://thecolbertreport.cc.com/videos/q5zpsy/sign-off---goodnight" ], "guest": "David Remnick" }, { "date": "2014-05-08", "videos": [ "http://thecolbertreport.cc.com/videos/84cvwk/exclusive---better-know-a-challenger---florida-s-3rd---jake-rush", "http://thecolbertreport.cc.com/videos/1u7a5d/vampire-for-congress-in-florida", "http://thecolbertreport.cc.com/videos/vkcose/better-know-a-challenger---florida-s-3rd---jake-rush", "http://thecolbertreport.cc.com/videos/8jno3s/stu-varney-among-the-common-people", "http://thecolbertreport.cc.com/videos/m2n3c9/ellen-page", "http://thecolbertreport.cc.com/videos/u05pdf/sign-off---spinning-top" ], "guest": "Ellen Page" }, { "date": "2014-05-12", "videos": [ "http://thecolbertreport.cc.com/videos/nnz78u/michael-sam-s-nfl-draft-kiss", "http://thecolbertreport.cc.com/videos/g2hf60/stephen-colbert-s-bats--t-serious---monica-lewinsky-s-conveniently-timed-essay", "http://thecolbertreport.cc.com/videos/2j80wh/glenn-greenwald-pt--1", "http://thecolbertreport.cc.com/videos/31s76v/glenn-greenwald-pt--2", "http://thecolbertreport.cc.com/videos/xovmc1/sign-off---penalty-whistle" ], "guest": "Glenn Greenwald" }, { "date": "2014-05-13", "videos": [ "http://thecolbertreport.cc.com/videos/wn13ym/pope-francis-s-crusade-against-capitalism", "http://thecolbertreport.cc.com/videos/vmje6p/-bringbackourgirls", "http://thecolbertreport.cc.com/videos/2rgt3x/-bringbackourgirls---rosemary-nyirumbe", "http://thecolbertreport.cc.com/videos/jrmo9v/koch-brothers-vs--the-columbus-zoo", "http://thecolbertreport.cc.com/videos/s46r2u/the-black-keys", "http://thecolbertreport.cc.com/videos/7bxzr7/sign-off---sisters-united-bags" ], "guest": "The Black Keys" }, { "date": "2014-05-14", "videos": [ "http://thecolbertreport.cc.com/videos/mwq7dh/intro---5-14-14", "http://thecolbertreport.cc.com/videos/5ob1j2/pope-francis-on-baptizing-martians", "http://thecolbertreport.cc.com/videos/k6jlhl/the-word---f--k-it", "http://thecolbertreport.cc.com/videos/4a4ahs/amazon-s-audacious-photography-patent", "http://thecolbertreport.cc.com/videos/hffa7o/keri-russell", "http://thecolbertreport.cc.com/videos/2b3fgm/sign-off---goodnight" ], "guest": "Keri Russell" }, { "date": "2014-05-15", "videos": [ "http://thecolbertreport.cc.com/videos/bvzi2n/vladimir-putin-s-space-station-ban", "http://thecolbertreport.cc.com/videos/pb1byh/karl-rove-on-hillary-clinton-s-health", "http://thecolbertreport.cc.com/videos/o2wt62/morality-lessons-for-robots", "http://thecolbertreport.cc.com/videos/lmgmhg/thomas-friedman", "http://thecolbertreport.cc.com/videos/z8ndeb/sign-off---mirror" ], "guest": "Thomas Friedman" }, { "date": "2014-05-19", "videos": [ "http://thecolbertreport.cc.com/videos/r5l7zc/intro---5-19-14", "http://thecolbertreport.cc.com/videos/el90zp/co-ed-lab-rats", "http://thecolbertreport.cc.com/videos/7oum5k/elizabeth-warren-vs--wall-street", "http://thecolbertreport.cc.com/videos/7sujj3/colbert-report-consumer-alert---jerky-blaster", "http://thecolbertreport.cc.com/videos/79q9bs/elizabeth-warren", "http://thecolbertreport.cc.com/videos/igbz3e/sign-off---goodnight" ], "guest": "Elizabeth Warren" }, { "date": "2014-05-20", "videos": [ "http://thecolbertreport.cc.com/videos/oimxrw/china-s-cyber-spies", "http://thecolbertreport.cc.com/videos/zfayee/the-gop-s-gloves-off-approach-to-hillary-clinton", "http://thecolbertreport.cc.com/videos/dbim9j/google-and-the-right-to-be-forgotten", "http://thecolbertreport.cc.com/videos/zopbx2/matthew-weiner", "http://thecolbertreport.cc.com/videos/g4ax73/sign-off---goodbye-kiss" ], "guest": "Matt Weiner" }, { "date": "2014-05-21", "videos": [ "http://thecolbertreport.cc.com/videos/6uijkp/tea-party-defeat-in-the-gop-primaries", "http://thecolbertreport.cc.com/videos/sk5fyk/idaho-s-bizarre-gubernatorial-debate", "http://thecolbertreport.cc.com/videos/zn3est/mers-virus-in-america", "http://thecolbertreport.cc.com/videos/xnk3xl/patrick-stewart", "http://thecolbertreport.cc.com/videos/8pgnos/sign-off---goodnight" ], "guest": "Patrick Stewart" }, { "date": "2014-05-22", "videos": [ "http://thecolbertreport.cc.com/videos/7q56w3/intro---5-22-14", "http://thecolbertreport.cc.com/videos/ouzxbu/va-hospital-outrage", "http://thecolbertreport.cc.com/videos/s6rmi7/va-hospital-outrage---paul-rieckhoff", "http://thecolbertreport.cc.com/videos/74fcac/marco-rubio-s-hazy-marijuana-history", "http://thecolbertreport.cc.com/videos/b40eb0/ray-mabus", "http://thecolbertreport.cc.com/videos/764wvl/sign-off---goodnight-and-good-week" ], "guest": "Ray Mabus" }, { "date": "2014-06-02", "videos": [ "http://thecolbertreport.cc.com/videos/xtbsgf/obama-s-prisoner-exchange-with-the-taliban", "http://thecolbertreport.cc.com/videos/i8fthl/difference-makers---doug-varrieur", "http://thecolbertreport.cc.com/videos/oq97o4/thomas-piketty-vs--billionaire-heroes", "http://thecolbertreport.cc.com/videos/e301vf/thomas-piketty", "http://thecolbertreport.cc.com/videos/lyrlrc/sign-off---goatee" ], "guest": "Thomas Piketty" }, { "date": "2014-06-03", "videos": [ "http://thecolbertreport.cc.com/videos/o4pou7/intro---6-3-14", "http://thecolbertreport.cc.com/videos/u6nqsd/open-carry-backlash", "http://thecolbertreport.cc.com/videos/57iigb/obama-s-global-warming-initiative", "http://thecolbertreport.cc.com/videos/ifxi76/obama-s-global-warming-initiative---dan-esty", "http://thecolbertreport.cc.com/videos/vf38fj/medicare-coverage-for-sex-change-surgery", "http://thecolbertreport.cc.com/videos/ttwu42/morgan-freeman", "http://thecolbertreport.cc.com/videos/qmezm2/sign-off---goodnight" ], "guest": "Morgan Freeman" }, { "date": "2014-06-04", "videos": [ "http://thecolbertreport.cc.com/videos/yuxdmx/the-perils-of-girly-hurricanes", "http://thecolbertreport.cc.com/videos/ukf9gv/amazon-vs--hachette", "http://thecolbertreport.cc.com/videos/t1nxwu/amazon-vs--hachette---sherman-alexie", "http://thecolbertreport.cc.com/videos/w5wvxu/the-colbert-report-s-unintended-educational-value", "http://thecolbertreport.cc.com/videos/olnbg3/jonah-hill", "http://thecolbertreport.cc.com/videos/k89vi0/sign-off----california-" ], "guest": "Jonah Hill" }, { "date": "2014-06-05", "videos": [ "http://thecolbertreport.cc.com/videos/7fyrr9/intro---6-5-14", "http://thecolbertreport.cc.com/videos/hfogr3/bergdghazi", "http://thecolbertreport.cc.com/videos/2408x6/sport-report---mushroom-sports-drink--nfl-pill-pushers---rio-de-janeiro-s-olympic-problems", "http://thecolbertreport.cc.com/videos/q8dzb2/the-drudge-report-on-hillary-clinton-s--walker-", "http://thecolbertreport.cc.com/videos/muek3m/chrissie-hynde" ], "guest": "Chrissie Hynde" }, { "date": "2014-06-09", "videos": [ "http://thecolbertreport.cc.com/videos/tpxhoo/scott-fistler-s--cesar-chavez--strategy", "http://thecolbertreport.cc.com/videos/7uozsl/fox-news-s-war-on-bowe-bergdahl", "http://thecolbertreport.cc.com/videos/uyh5xo/craziest-f--king-thing-i-ve-ever-heard---vincent-van-gogh-s-reanimated-ear", "http://thecolbertreport.cc.com/videos/allxmi/esther-perel", "http://thecolbertreport.cc.com/videos/x78nyg/sign-off---goodnight" ], "guest": "Esther Perel" }, { "date": "2014-06-10", "videos": [ "http://thecolbertreport.cc.com/videos/gdbreq/turing-test-breakthrough", "http://thecolbertreport.cc.com/videos/p8wqsa/the-enemy-within---bina-the-activist-android", "http://thecolbertreport.cc.com/videos/n30nzb/sport-report---swimming-pools-for-football-fans---governors--hockey-wager", "http://thecolbertreport.cc.com/videos/2lc1uv/john-waters", "http://thecolbertreport.cc.com/videos/dxz774/sign-off---goodnight" ], "guest": "John Waters" }, { "date": "2014-06-11", "videos": [ "http://thecolbertreport.cc.com/videos/s8uwwo/intro---6-11-14", "http://thecolbertreport.cc.com/videos/1d3kl4/eric-cantor-s-shocking-defeat", "http://thecolbertreport.cc.com/videos/m87g43/the-word---debt-or-prison", "http://thecolbertreport.cc.com/videos/2kgoki/rob-rhinehart", "http://thecolbertreport.cc.com/videos/6v0f1z/sign-off---spiked-drink" ], "guest": "Rob Rhinehart" }, { "date": "2014-06-12", "videos": [ "http://thecolbertreport.cc.com/videos/iywdca/amazon-s-scorched-earth-tactics-and-edan-lepucki-s--california-", "http://thecolbertreport.cc.com/videos/4n51kp/tip-wag---ted-cruz---led-zeppelin", "http://thecolbertreport.cc.com/videos/0z44gm/sport-report---team-usa-vs--the-group-of-death---hans-beinholtz-on-the-world-cup", "http://thecolbertreport.cc.com/videos/sqbqhw/james-webb", "http://thecolbertreport.cc.com/videos/pjws58/sign-off---necktie" ], "guest": "James Webb" }, { "date": "2014-06-16", "videos": [ "http://thecolbertreport.cc.com/videos/6mpwy3/isis-militants-in-iraq", "http://thecolbertreport.cc.com/videos/wlnavl/isis-militants-in-iraq---ben-van-heuvelen", "http://thecolbertreport.cc.com/videos/eozrlj/racial-perceptions-and-economic-stress", "http://thecolbertreport.cc.com/videos/n3etz1/ta-nehisi-coates", "http://thecolbertreport.cc.com/videos/200z2y/sign-off---hand-mirror" ], "guest": "Ta-Nehisi Coates" }, { "date": "2014-06-17", "videos": [ "http://thecolbertreport.cc.com/videos/ddo89r/world-cup-victory-for-team-usa", "http://thecolbertreport.cc.com/videos/xoa360/the-word---a-darker-shade-of-pale", "http://thecolbertreport.cc.com/videos/qpaogb/majority-support-for-same-sex-marriage", "http://thecolbertreport.cc.com/videos/8buw4s/david-boies---theodore-b--olson", "http://thecolbertreport.cc.com/videos/4gkwgg/sign-off---foam-finger" ], "guest": "David Boies &amp; Theodore B. Olson" }, { "date": "2014-06-18", "videos": [ "http://thecolbertreport.cc.com/videos/exebzv/intro---6-18-14", "http://thecolbertreport.cc.com/videos/hgs925/arrest-of-benghazi-terror-mastermind", "http://thecolbertreport.cc.com/videos/a1yfmv/hillary-clinton-vs--the-rnc-squirrel", "http://thecolbertreport.cc.com/videos/qj2x93/thad-cochran-on-doing-indecent-things-with-animals", "http://thecolbertreport.cc.com/videos/3ul9zn/katty-kay---claire-shipman", "http://thecolbertreport.cc.com/videos/och071/sign-off---goodnight" ], "guest": "Katty Kay &amp; Claire Shipman" }, { "date": "2014-06-19", "videos": [ "http://thecolbertreport.cc.com/videos/gt99v3/the-iraq-pack", "http://thecolbertreport.cc.com/videos/445utq/thought-for-food---domino-s-smart-slice---doritos-jacked", "http://thecolbertreport.cc.com/videos/cbr3yz/-yo--smartphone-app", "http://thecolbertreport.cc.com/videos/3abzv4/jay-carney", "http://thecolbertreport.cc.com/videos/h0b8ou/sign-off---goodnight" ], "guest": "Jay Carney" }, { "date": "2014-06-23", "videos": [ "http://thecolbertreport.cc.com/videos/7bqhfd/team-usa-s-tragic-tie-with-portugal", "http://thecolbertreport.cc.com/videos/k8orr2/obama-s-response-to-isis-in-iraq---mark-mazzetti", "http://thecolbertreport.cc.com/videos/72elnv/jeremy-meeks-s-handsome-mug-shot", "http://thecolbertreport.cc.com/videos/07oysy/john-green", "http://thecolbertreport.cc.com/videos/mwnvtk/sign-off---goodnight" ], "guest": "John Green" }, { "date": "2014-06-24", "videos": [ "http://thecolbertreport.cc.com/videos/tmjbzp/intro---6-24-14", "http://thecolbertreport.cc.com/videos/ee0zj7/isis-invades-hashtagistan", "http://thecolbertreport.cc.com/videos/bveu0w/tip-wag---fda---ben---jerry-s", "http://thecolbertreport.cc.com/videos/bu43e8/new-york-s-ban-on-tiger-selfies", "http://thecolbertreport.cc.com/videos/bo739z/edie-falco", "http://thecolbertreport.cc.com/videos/hgf6rh/sign-off---goodnight" ], "guest": "Edie Falco" }, { "date": "2014-06-25", "videos": [ "http://thecolbertreport.cc.com/videos/rpnj8s/obama-s-chipotle-blunder", "http://thecolbertreport.cc.com/videos/glsyx9/stephen-colbert-s-bats--t-serious---child-immigrant-intrigue", "http://thecolbertreport.cc.com/videos/nx3ix1/stephen-colbert-s-bats--t-serious---child-immigrant-intrigue---john-burnett", "http://thecolbertreport.cc.com/videos/rki77c/primary-victory-for-thad-cochran", "http://thecolbertreport.cc.com/videos/rn2gd8/eleanor-holmes-norton", "http://thecolbertreport.cc.com/videos/q6den3/sign-off---goodnight" ], "guest": "Rep. Eleanor Holmes Norton" }, { "date": "2014-06-26", "videos": [ "http://thecolbertreport.cc.com/videos/suqg0f/stephen-colbert-s-bats--t-serious---the-vast-government-soccer-conspiracy", "http://thecolbertreport.cc.com/videos/autzis/tip-wag---north-carolina-state-legislature---cereal-manufacturers", "http://thecolbertreport.cc.com/videos/jrdas9/paul-rudd-pt--1", "http://thecolbertreport.cc.com/videos/rb9bo7/paul-rudd-pt--2", "http://thecolbertreport.cc.com/videos/8vp2bp/sign-off---so-long-for-two-weeks" ], "guest": "Paul Rudd" }, { "date": "2014-07-14", "videos": [ "http://thecolbertreport.cc.com/videos/fy2b19/intro---7-14-14", "http://thecolbertreport.cc.com/videos/9cspva/world-cup-recap", "http://thecolbertreport.cc.com/videos/mlyvqh/thank-you--racism---boehner-v--obama", "http://thecolbertreport.cc.com/videos/xivy3m/hobby-lobby-case", "http://thecolbertreport.cc.com/videos/9nzwjt/vessyl-digital-cup", "http://thecolbertreport.cc.com/videos/6cvwe6/jad-abumrad---robert-krulwich", "http://thecolbertreport.cc.com/videos/rpfaco/sign-off---goodnight" ], "guest": "Jad Abumrad, Robert Krulwich" }, { "date": "2014-07-15", "videos": [ "http://thecolbertreport.cc.com/videos/nnucn6/obama-s-senioritis", "http://thecolbertreport.cc.com/videos/f0uh68/threatdown---all-bear-edition", "http://thecolbertreport.cc.com/videos/08a2dg/vint-cerf-pt--1", "http://thecolbertreport.cc.com/videos/x9hnxr/vint-cerf-pt--2", "http://thecolbertreport.cc.com/videos/dixoxg/sign-off---goodnight" ], "guest": "Vint Cerf" }, { "date": "2014-07-16", "videos": [ "http://thecolbertreport.cc.com/videos/anklfa/intro---7-16-14", "http://thecolbertreport.cc.com/videos/53n0nf/conservative-contempt-for-bill-de-blasio", "http://thecolbertreport.cc.com/videos/cbs1n7/rick-perry-s-makeover---uncensored", "http://thecolbertreport.cc.com/videos/1flr4c/filling-captain-america-s-shoes---joe-quesada", "http://thecolbertreport.cc.com/videos/ypm476/bill-de-blasio", "http://thecolbertreport.cc.com/videos/slmbh6/sign-off----captain-america-" ], "guest": "Mayor Bill de Blasio" }, { "date": "2014-07-17", "videos": [ "http://thecolbertreport.cc.com/videos/ket4ms/malaysia-airlines-crash---hamas-israel-violence", "http://thecolbertreport.cc.com/videos/z3gi0q/questionable-compassion-for-child-immigrants", "http://thecolbertreport.cc.com/videos/bfvmgh/coal-rolling", "http://thecolbertreport.cc.com/videos/70ezhu/steven-m--wise", "http://thecolbertreport.cc.com/videos/n00bpi/sign-off---soot-blast" ], "guest": "Steven Wise" }, { "date": "2014-07-21", "videos": [ "http://thecolbertreport.cc.com/videos/qimhj6/intro---7-21-14", "http://thecolbertreport.cc.com/videos/n71mkf/world-news-wrap-up", "http://thecolbertreport.cc.com/videos/8e5dyu/colbert-nation-vs--amazon---edan-lepucki", "http://thecolbertreport.cc.com/videos/egw3ua/nancy-pelosi-pt--1", "http://thecolbertreport.cc.com/videos/q8mj7b/nancy-pelosi-pt--2", "http://thecolbertreport.cc.com/videos/98szje/sign-off----sweetness--9-" ], "guest": "Rep. Nancy Pelosi" }, { "date": "2014-07-22", "videos": [ "http://thecolbertreport.cc.com/videos/a6s2qu/rep--steve-pearce-s-fact-finding-mission-in-central-america", "http://thecolbertreport.cc.com/videos/d24npe/rising-calls-for-obama-s-impeachment", "http://thecolbertreport.cc.com/videos/stx9ln/rising-calls-for-obama-s-impeachment---p-k--winsome", "http://thecolbertreport.cc.com/videos/qf023x/rory-mcilroy-and-caroline-wozniacki-s-post-breakup-triumph", "http://thecolbertreport.cc.com/videos/1872w0/julia-ioffe", "http://thecolbertreport.cc.com/videos/rxjlpc/sign-off---p-k--winsome" ], "guest": "Julia Ioffe" }, { "date": "2014-07-23", "videos": [ "http://thecolbertreport.cc.com/videos/74ly7x/housing-crisis-for-child-immigrants", "http://thecolbertreport.cc.com/videos/w0dhco/six-californias", "http://thecolbertreport.cc.com/videos/rmgh1u/six-californias---tim-draper", "http://thecolbertreport.cc.com/videos/qb2d4f/lowe-s-vs--veterans-affairs", "http://thecolbertreport.cc.com/videos/a368r9/mary-mazzio---oscar-vazquez", "http://thecolbertreport.cc.com/videos/8nsg9g/sign-off---goodnight" ], "guest": "Mary Mazzio, Oscar Vazquez" }, { "date": "2014-07-24", "videos": [ "http://thecolbertreport.cc.com/videos/9bfzta/darth-vader-for-president", "http://thecolbertreport.cc.com/videos/br4k5m/tip-wag----true-blood----washington--d-c---court-of-appeals", "http://thecolbertreport.cc.com/videos/o26y1r/elon-musk-pt--1", "http://thecolbertreport.cc.com/videos/s4aaoq/elon-musk-pt--2", "http://thecolbertreport.cc.com/videos/baab8l/exclusive---elon-musk-discusses-mars", "http://thecolbertreport.cc.com/videos/9pmgk5/sign-off---goodnight" ], "guest": "Elon Musk" }, { "date": "2014-07-28", "videos": [ "http://thecolbertreport.cc.com/videos/99fqm5/magical-afternoon-at-comic-con", "http://thecolbertreport.cc.com/videos/yxerhp/the-word---see-no-equal", "http://thecolbertreport.cc.com/videos/c8gyzb/-kim-kardashian--hollywood--game", "http://thecolbertreport.cc.com/videos/me3jxh/beck" ], "guest": "Beck" }, { "date": "2014-07-29", "videos": [ "http://thecolbertreport.cc.com/videos/go3xsz/stephen-colbert-s-i-need-a-drink", "http://thecolbertreport.cc.com/videos/zo7j8y/the-sarah-palin-channel", "http://thecolbertreport.cc.com/videos/oeurov/jon-batiste-and-stay-human", "http://thecolbertreport.cc.com/videos/84mh53/sign-off---jon-batiste-and-stay-human" ], "guest": "Jon Batiste &amp; Stay Human" }, { "date": "2014-07-30", "videos": [ "http://thecolbertreport.cc.com/videos/vy7myr/orlando-bloom-s-altercation-with-justin-bieber", "http://thecolbertreport.cc.com/videos/mfm78m/corporate-inversions", "http://thecolbertreport.cc.com/videos/gv7xvj/corporate-inversions---allan-sloan", "http://thecolbertreport.cc.com/videos/psbsuw/naked-tv", "http://thecolbertreport.cc.com/videos/lb70bp/james-franco", "http://thecolbertreport.cc.com/videos/n2673s/sign-off---goodnight" ], "guest": "James Franco" }, { "date": "2014-07-31", "videos": [ "http://thecolbertreport.cc.com/videos/dwf82q/women-on-american-currency", "http://thecolbertreport.cc.com/videos/cruj3s/the-conflict-over-covering-the-conflict-in-gaza", "http://thecolbertreport.cc.com/videos/m4juon/tip-wag---beelzebub---nasa", "http://thecolbertreport.cc.com/videos/2mpwlv/campbell-brown", "http://thecolbertreport.cc.com/videos/26ag1q/sign-off---monitoring-system" ], "guest": "Campbell Brown" }, { "date": "2014-08-04", "videos": [ "http://thecolbertreport.cc.com/videos/zcyj0l/40th-anniversary-of-nixon-s-resignation", "http://thecolbertreport.cc.com/videos/9hxmyy/a-nation-betrayed---a-fond-look-back---74", "http://thecolbertreport.cc.com/videos/c505xx/pat-buchanan", "http://thecolbertreport.cc.com/videos/ecplh0/john-w--dean", "http://thecolbertreport.cc.com/videos/jg7vda/sign-off---retrospectacular", "http://thecolbertreport.cc.com/videos/2kctj0/exclusive---pat-buchanan" ], "guest": "Pat Buchanan, John W. Dean" }, { "date": "2014-08-05", "videos": [ "http://thecolbertreport.cc.com/videos/eu8j9u/open-carry-trailblazers", "http://thecolbertreport.cc.com/videos/imtefo/-hard-choices----hillary-clinton", "http://thecolbertreport.cc.com/videos/8tvtmw/language-lessons-from-america-s-senior-citizens", "http://thecolbertreport.cc.com/videos/wb06vr/james-cameron", "http://thecolbertreport.cc.com/videos/tovjr3/sign-off---goodnight" ], "guest": "James Cameron" }, { "date": "2014-08-06", "videos": [ "http://thecolbertreport.cc.com/videos/v652g6/smile-file---kim-jong-un-at-the-lube-factory", "http://thecolbertreport.cc.com/videos/mrntln/rand-paul-s-hasty-exit", "http://thecolbertreport.cc.com/videos/82nvgq/news-anchor-baby", "http://thecolbertreport.cc.com/videos/gn8hz0/michael-fassbender" ], "guest": "Michael Fassbender" }, { "date": "2014-08-07", "videos": [ "http://thecolbertreport.cc.com/videos/2mrfmc/intro---8-7-14", "http://thecolbertreport.cc.com/videos/bmd26v/vladimir-putin-s-food-sanctions", "http://thecolbertreport.cc.com/videos/nm2atj/ebola-panic", "http://thecolbertreport.cc.com/videos/7a9ir7/the-in-box---blt-vs--club", "http://thecolbertreport.cc.com/videos/ddvyto/brian-chesky", "http://thecolbertreport.cc.com/videos/dc3x0v/sign-off---bourbon-and-chicken" ], "guest": "Brian Chesky" }, { "date": "2014-08-26", "videos": [ "http://thecolbertreport.cc.com/videos/xfa2tc/intro---8-26-14", "http://thecolbertreport.cc.com/videos/pupsy6/better-know-a-district---ohio-s-11th---marcia-fudge-pt--1", "http://thecolbertreport.cc.com/videos/llmmz6/better-know-a-district---ohio-s-11th---marcia-fudge-pt--2", "http://thecolbertreport.cc.com/videos/crpfrn/jeff-bridges---lois-lowry", "http://thecolbertreport.cc.com/videos/30umwt/sign-off---goodnight" ], "guest": "Jeff Bridges, Lois Lowry" }, { "date": "2014-08-27", "videos": [ "http://thecolbertreport.cc.com/videos/12kfzg/intro---8-27-14", "http://thecolbertreport.cc.com/videos/4komvc/outrage-in-ferguson", "http://thecolbertreport.cc.com/videos/h1itnw/outrage-in-ferguson---a-national-conversation-on-race", "http://thecolbertreport.cc.com/videos/8ye61k/scrabble-s-updated-dictionary", "http://thecolbertreport.cc.com/videos/v6x4qn/michael-sheen", "http://thecolbertreport.cc.com/videos/4g1qgo/sign-off---welcome-baby-eva-" ], "guest": "Michael Sheen" }, { "date": "2014-08-28", "videos": [ "http://thecolbertreport.cc.com/videos/2x4lop/isis-panic", "http://thecolbertreport.cc.com/videos/yr7egy/isis-panic---announcing-reagan-s-return", "http://thecolbertreport.cc.com/videos/bac98y/vapshot-alcohol-vaporizer", "http://thecolbertreport.cc.com/videos/vmcz6o/jr", "http://thecolbertreport.cc.com/videos/q6o47f/sign-off---goodnight" ], "guest": "JR" }, { "date": "2014-09-02", "videos": [ "http://thecolbertreport.cc.com/videos/7ohwx8/celebrity-nude-photo-scandal", "http://thecolbertreport.cc.com/videos/kc4ojp/police-militarization-in-america", "http://thecolbertreport.cc.com/videos/ukyqb3/police-militarization-in-america---norm-stamper", "http://thecolbertreport.cc.com/videos/xuzel5/good-news-for-sleep-deprived-teens", "http://thecolbertreport.cc.com/videos/sximkb/mandy-patinkin", "http://thecolbertreport.cc.com/videos/hpkdp0/sign-off---goodnight" ], "guest": "Mandy Patinkin" }, { "date": "2014-09-03", "videos": [ "http://thecolbertreport.cc.com/videos/mrdb7o/intro---9-3-14", "http://thecolbertreport.cc.com/videos/v7c4zm/obama-s-isis-strategy", "http://thecolbertreport.cc.com/videos/2ccwew/obama-s-isis-strategy---frank-underwood", "http://thecolbertreport.cc.com/videos/r6svso/coach-class-conflicts", "http://thecolbertreport.cc.com/videos/ewijdy/randall-munroe", "http://thecolbertreport.cc.com/videos/cs2fnl/sign-off---goodnight" ], "guest": "Randall Munroe" }, { "date": "2014-09-04", "videos": [ "http://thecolbertreport.cc.com/videos/30z1ut/intro---9-4-14", "http://thecolbertreport.cc.com/videos/lo5wee/gays-in-the-st--patrick-s-day-parade", "http://thecolbertreport.cc.com/videos/zq72u5/the-midterm-round-up", "http://thecolbertreport.cc.com/videos/g7yyhh/al-qaeda-s-indian-franchise", "http://thecolbertreport.cc.com/videos/s4ds82/doris-kearns-goodwin", "http://thecolbertreport.cc.com/videos/fj6l1s/sign-off---ship-christening" ], "guest": "Doris Kearns Goodwin" }, { "date": "2014-09-08", "videos": [ "http://thecolbertreport.cc.com/videos/g9wav3/intro---9-8-14", "http://thecolbertreport.cc.com/videos/dzxra6/william-and-kate-s-royal-pregnancy", "http://thecolbertreport.cc.com/videos/3160bg/waiting-forever-for-immigration-reform", "http://thecolbertreport.cc.com/videos/jz3rdd/pavlok-fitness-band", "http://thecolbertreport.cc.com/videos/23mu4v/john-lithgow", "http://thecolbertreport.cc.com/videos/a0x0bs/sign-off---goodnight" ], "guest": "John Lithgow" }, { "date": "2014-09-09", "videos": [ "http://thecolbertreport.cc.com/videos/j5s4z1/apple-unveils-its-smartwatch", "http://thecolbertreport.cc.com/videos/s6gte9/the-midterm-round-up---the-gop-s-lady-problems", "http://thecolbertreport.cc.com/videos/hkfm7z/hometown-hero-town---detroit", "http://thecolbertreport.cc.com/videos/e4y7wx/jason-segel", "http://thecolbertreport.cc.com/videos/93zpki/sign-off---jason-segel-s-latest-award" ], "guest": "Jason Segel" }, { "date": "2014-09-10", "videos": [ "http://thecolbertreport.cc.com/videos/u5vu07/intro---9-10-14", "http://thecolbertreport.cc.com/videos/p2b64y/obama-s-isis-speech", "http://thecolbertreport.cc.com/videos/lqm25y/dalai-lama-drama", "http://thecolbertreport.cc.com/videos/4pdz7v/tip-wag---nasa---trump-entertainment-resorts", "http://thecolbertreport.cc.com/videos/wn86jw/the-buypartisan-app", "http://thecolbertreport.cc.com/videos/hyx04c/henry-kissinger", "http://thecolbertreport.cc.com/videos/bipiaj/sign-off---goodnight" ], "guest": "Henry Kissinger" }, { "date": "2014-09-11", "videos": [ "http://thecolbertreport.cc.com/videos/oeusg2/this-country-is-at-war-", "http://thecolbertreport.cc.com/videos/li99ni/republicans--predictions-of-the-iraq-crisis", "http://thecolbertreport.cc.com/videos/wna0mw/global-warming-threatens-bird-species", "http://thecolbertreport.cc.com/videos/ndpng7/lonn-taylor", "http://thecolbertreport.cc.com/videos/cl9arb/sign-off---jim-cornelison-sings-the-national-anthem" ], "guest": "Lonn Taylor" }, { "date": "2014-09-15", "videos": [ "http://thecolbertreport.cc.com/videos/848h60/the-next-miss-america", "http://thecolbertreport.cc.com/videos/lmtq66/the-vote-for-scottish-independence", "http://thecolbertreport.cc.com/videos/exs7p5/the-vote-for-scottish-independence---matt-wells", "http://thecolbertreport.cc.com/videos/0txz3z/think-tank-corruption", "http://thecolbertreport.cc.com/videos/m1a8gr/mindy-kaling", "http://thecolbertreport.cc.com/videos/0j1qdb/sign-off" ], "guest": "Mindy Kaling" }, { "date": "2014-09-16", "videos": [ "http://thecolbertreport.cc.com/videos/60e467/intro---9-16-14", "http://thecolbertreport.cc.com/videos/0agoip/the-kinda-sorta-war-and-the-u-s--s-mysterious-allies", "http://thecolbertreport.cc.com/videos/mzktzw/wall-street-meddles-with-restaurant-chain", "http://thecolbertreport.cc.com/videos/oyl7ka/unlocking-the-truth" ], "guest": "Unlocking the Truth" }, { "date": "2014-09-17", "videos": [ "http://thecolbertreport.cc.com/videos/6d36zv/caped-cash-cows", "http://thecolbertreport.cc.com/videos/zryrry/undercover-at-comic-con---prince-hawkcat", "http://thecolbertreport.cc.com/videos/d791f1/undercover-at-comic-con---stephen-s-movie-pitches", "http://thecolbertreport.cc.com/videos/xq6f9b/military-vehicles-for-public-schools", "http://thecolbertreport.cc.com/videos/arckqm/viggo-mortensen", "http://thecolbertreport.cc.com/videos/bfflr6/sign-off---aragorn" ], "guest": "Viggo Mortensen" }, { "date": "2014-09-18", "videos": [ "http://thecolbertreport.cc.com/videos/hn1ueg/checky", "http://thecolbertreport.cc.com/videos/yupbhd/no-boots-on-the-ground-in-iraq", "http://thecolbertreport.cc.com/videos/wjga35/sean-hannity-s-defense-of-adrian-peterson", "http://thecolbertreport.cc.com/videos/rd6gao/terry-gilliam", "http://thecolbertreport.cc.com/videos/148dzu/sign-off---stuffed-elephant" ], "guest": "Terry Gilliam" }, { "date": "2014-09-22", "videos": [ "http://thecolbertreport.cc.com/videos/uc4f7i/awol-afghan-soldiers", "http://thecolbertreport.cc.com/videos/01cyc2/tip-wag---climate-change-marchers---senators-on-reality-tv", "http://thecolbertreport.cc.com/videos/x58aop/charles-krauthammer-on-obama-s-mental-state", "http://thecolbertreport.cc.com/videos/jq352p/tweedy" ], "guest": "Tweedy" }, { "date": "2014-09-23", "videos": [ "http://thecolbertreport.cc.com/videos/j6xqew/u-s--airstrikes-in-syria", "http://thecolbertreport.cc.com/videos/ybvlae/better-know-a-district---california-s-2nd---jared-huffman", "http://thecolbertreport.cc.com/videos/b5ni29/the-russians-buy-pbr", "http://thecolbertreport.cc.com/videos/k5a58t/naomi-klein", "http://thecolbertreport.cc.com/videos/ksh5pr/sign-off---pbr" ], "guest": "Naomi Klein" }, { "date": "2014-09-24", "videos": [ "http://thecolbertreport.cc.com/videos/5mneco/atone-phone---jeff-tweedy-calls", "http://thecolbertreport.cc.com/videos/tw7sr5/obama-s-coffee-cup-salute" ], "guest": "Bill Cosby" }, { "date": "2014-09-25", "videos": [ "http://thecolbertreport.cc.com/videos/p49ls4/the-suspicious-death-of-staten-island-chuck", "http://thecolbertreport.cc.com/videos/0hjuki/intro---9-25-14", "http://thecolbertreport.cc.com/videos/tjmnw0/eric-holder-s-resignation", "http://thecolbertreport.cc.com/videos/7dpl33/bill-o-reilly-s-elite-strike-force", "http://thecolbertreport.cc.com/videos/0w775u/smile-file---the-u-a-e--s-first-female-fighter-pilot-vs---the-five----uncensored", "http://thecolbertreport.cc.com/videos/g36k7p/walter-mischel", "http://thecolbertreport.cc.com/videos/fhpqlq/sign-off---marshmallows" ], "guest": "Walter Mischel" }, { "date": "2014-09-29", "videos": [ "http://thecolbertreport.cc.com/videos/6ythcp/obama-s-rip-off-of-bush", "http://thecolbertreport.cc.com/videos/eecxwy/hillary-clinton-and-the-grandmother-of-all-scandals", "http://thecolbertreport.cc.com/videos/6w3vad/kim-jong-un-s-massive-cheese-consumption", "http://thecolbertreport.cc.com/videos/ojmtk8/jamie-oliver", "http://thecolbertreport.cc.com/videos/z231mw/sign-off---cake-and-cheese" ], "guest": "Jamie Oliver" }, { "date": "2014-09-30", "videos": [ "http://thecolbertreport.cc.com/videos/6k6hq3/muslims-in-the-end-zone", "http://thecolbertreport.cc.com/videos/h1yge9/highlights-of-the-values-voter-summit", "http://thecolbertreport.cc.com/videos/8x6lww/the-benefits-of-pessimism---hans-beinholtz", "http://thecolbertreport.cc.com/videos/qofokt/jeffrey-tambor", "http://thecolbertreport.cc.com/videos/pnsz05/sign-off---goodnight" ], "guest": "Jeffrey Tambor" }, { "date": "2014-10-01", "videos": [ "http://thecolbertreport.cc.com/videos/v6tds1/protests-in-hong-kong", "http://thecolbertreport.cc.com/videos/v51zzo/protests-in-hong-kong---louisa-lim", "http://thecolbertreport.cc.com/videos/zzbhqi/bill-o-reilly-takes-offense", "http://thecolbertreport.cc.com/videos/oviilh/mike-mullen", "http://thecolbertreport.cc.com/videos/5tiz1y/sign-off---goodnight", "http://thecolbertreport.cc.com/videos/8f6kuv/exclusive---mike-mullen-extended-interview" ], "guest": "Adm. Mike Mullen" }, { "date": "2014-10-02", "videos": [ "http://thecolbertreport.cc.com/videos/jyghug/intro---10-2-14", "http://thecolbertreport.cc.com/videos/x6d5sz/deathpocalypse-now---ebola-in-america---50-states-of-grave", "http://thecolbertreport.cc.com/videos/hhhqqd/deathpocalypse-now---ebola-in-america---kent-sepkowitz", "http://thecolbertreport.cc.com/videos/e72awe/solitocity", "http://thecolbertreport.cc.com/videos/ye2fnr/lynn-sherr", "http://thecolbertreport.cc.com/videos/7nl6i5/sign-off---hand-sanitizer" ], "guest": "Lynn Sherr" }, { "date": "2014-10-06", "videos": [ "http://thecolbertreport.cc.com/videos/g5stw6/intro---10-6-14", "http://thecolbertreport.cc.com/videos/heaxbs/victory-for-gay-marriage---the-rise-of-amicus-briefs", "http://thecolbertreport.cc.com/videos/ssmvma/victory-for-gay-marriage---the-rise-of-amicus-briefs---allison-orr-larsen", "http://thecolbertreport.cc.com/videos/ayvbym/a-rare-correction---no-ebola-outbreak-in-the-u-s-", "http://thecolbertreport.cc.com/videos/fcax26/james-m--mcpherson", "http://thecolbertreport.cc.com/videos/bfwqfb/sign-off---goodnight" ], "guest": "James McPherson" }, { "date": "2014-10-07", "videos": [ "http://thecolbertreport.cc.com/videos/hhqgbw/ebolapalooza", "http://thecolbertreport.cc.com/videos/nx3ewk/better-know-a-district---illinois-s-8th---tammy-duckworth", "http://thecolbertreport.cc.com/videos/q2857u/cheating-death---pandemic-health", "http://thecolbertreport.cc.com/videos/7swpxt/leon-wieseltier", "http://thecolbertreport.cc.com/videos/rete59/sign-off---cigarette" ], "guest": "Leon Wieseltier" }, { "date": "2014-10-08", "videos": [ "http://thecolbertreport.cc.com/videos/e50viy/intro---10-8-14", "http://thecolbertreport.cc.com/videos/khi8w0/john-boehner-vs--america-s-anti-gay-marriage-crusaders", "http://thecolbertreport.cc.com/videos/m899eo/naming-the-war-against-isis", "http://thecolbertreport.cc.com/videos/hzou6l/carol-burnett", "http://thecolbertreport.cc.com/videos/hcc5br/sign-off---ear-tug" ], "guest": "Carol Burnett" }, { "date": "2014-10-09", "videos": [ "http://thecolbertreport.cc.com/videos/blfnlw/exclusive---robert-plant----little-maggie-", "http://thecolbertreport.cc.com/videos/jdri4u/robert-plant----rainbow-", "http://thecolbertreport.cc.com/videos/tyc0sx/intro---10-9-14", "http://thecolbertreport.cc.com/videos/0gscic/columbus-day-under-attack", "http://thecolbertreport.cc.com/videos/hpfwm4/raining-vs--sprinkling", "http://thecolbertreport.cc.com/videos/xfjyum/republicans-are-people--too", "http://thecolbertreport.cc.com/videos/jfanx7/robert-plant", "http://thecolbertreport.cc.com/videos/o2y6sr/sign-off----lullaby-and----the-ceaseless-roar-" ], "guest": "Robert Plant" }, { "date": "2014-10-13", "videos": [ "http://thecolbertreport.cc.com/videos/fhnqjo/midterms--014---detour-to-gridlock---an-exciting-thing-that-i-am-totally-interested-in", "http://thecolbertreport.cc.com/videos/8zip3j/intro---10-13-14", "http://thecolbertreport.cc.com/videos/sx2hh2/32-episodes-left-for-the-report", "http://thecolbertreport.cc.com/videos/fp4xfy/walter-isaacson", "http://thecolbertreport.cc.com/videos/f4t3xr/sign-off---quality-time-with-americone-dream", "http://thecolbertreport.cc.com/videos/bxbwj4/midterms--014---detour-to-gridlock---dennis-daugaard" ], "guest": "Walter Isaacson" }, { "date": "2014-10-14", "videos": [ "http://thecolbertreport.cc.com/videos/zg3zai/neil-young----who-s-gonna-stand-up---and-save-the-earth--", "http://thecolbertreport.cc.com/videos/wcjcgn/a-week-of-victories-for-gay-rights", "http://thecolbertreport.cc.com/videos/akzlpt/say-yes-to-rick-scott", "http://thecolbertreport.cc.com/videos/namhpu/neil-young", "http://thecolbertreport.cc.com/videos/veswmj/sign-off----special-deluxe-" ], "guest": "Neil Young" }, { "date": "2014-10-15", "videos": [ "http://thecolbertreport.cc.com/videos/qw8rwv/who-s-attacking-me-now----larry-page", "http://thecolbertreport.cc.com/videos/q2u206/tip-wag---barack-obama---stan-lee", "http://thecolbertreport.cc.com/videos/xv3cdl/sean-hannity-s-question-of-the-day", "http://thecolbertreport.cc.com/videos/18x57e/justin-simien", "http://thecolbertreport.cc.com/videos/4tsbtt/sign-off---goodnight" ], "guest": "Justin Simien" }, { "date": "2014-10-16", "videos": [ "http://thecolbertreport.cc.com/videos/uebndp/abandoned-wmds-in-iraq", "http://thecolbertreport.cc.com/videos/aywapn/abandoned-wmds-in-iraq---c-j--chivers", "http://thecolbertreport.cc.com/videos/3o1uzs/rick-scott-and-charlie-crist-s-bizarre-debate", "http://thecolbertreport.cc.com/videos/z4umi5/william-deresiewicz", "http://thecolbertreport.cc.com/videos/xrvm7x/stephen-s-old-ipod" ], "guest": "Bill Deresiewicz" }, { "date": "2014-10-27", "videos": [ "http://thecolbertreport.cc.com/videos/e27u8w/intro---10-27-14", "http://thecolbertreport.cc.com/videos/8hjpi2/ebola-in-new-york", "http://thecolbertreport.cc.com/videos/whfeyg/louie-gohmert-on-gays-in-the-military", "http://thecolbertreport.cc.com/videos/jjpinj/meredith-vieira", "http://thecolbertreport.cc.com/videos/a0zbrf/sign-off---sundae" ], "guest": "Meredith Vieira" }, { "date": "2014-10-28", "videos": [ "http://thecolbertreport.cc.com/videos/xxvx4u/war-on-halloween---flaming-bags-of-government", "http://thecolbertreport.cc.com/videos/jxddq4/the-nra-vs--pennsylvania-s-pet-eating-ban", "http://thecolbertreport.cc.com/videos/6cj1fk/tom-corbett-s-photoshopped-diversity", "http://thecolbertreport.cc.com/videos/nzy3nz/sport-report---fall-experimental-football-league", "http://thecolbertreport.cc.com/videos/c7wjzg/michael-lewis", "http://thecolbertreport.cc.com/videos/64x2gg/sign-off---goodnight" ], "guest": "Michael Lewis" }, { "date": "2014-10-29", "videos": [ "http://thecolbertreport.cc.com/videos/ladjef/gamergate", "http://thecolbertreport.cc.com/videos/wr7hqq/gamergate---anita-sarkeesian", "http://thecolbertreport.cc.com/videos/ll1e16/heroism-in-canada", "http://thecolbertreport.cc.com/videos/1h66nr/jill-lepore", "http://thecolbertreport.cc.com/videos/1fc6m9/sign-off---microphone" ], "guest": "Jill Lepore" }, { "date": "2014-10-30", "videos": [ "http://thecolbertreport.cc.com/videos/qvw67z/intro---10-30-14", "http://thecolbertreport.cc.com/videos/hxvn8w/-america-again--in-paperback", "http://thecolbertreport.cc.com/videos/365nm9/america-s-midterm-indifference---george-takei", "http://thecolbertreport.cc.com/videos/cykxut/the-perils-of-anchor-zygotes", "http://thecolbertreport.cc.com/videos/tqbn3t/david-miliband", "http://thecolbertreport.cc.com/videos/4rgfpm/sign-off---goodnight" ], "guest": "David Miliband" }, { "date": "2014-11-03", "videos": [ "http://thecolbertreport.cc.com/videos/cvjwus/intro---11-3-14", "http://thecolbertreport.cc.com/videos/p6uab8/midterms--014---detour-to-gridlock---midterm-flyer-of-shame", "http://thecolbertreport.cc.com/videos/qmg04s/tip-wag---nazi-dairy-products--tim-cook---prostate-health-researchers", "http://thecolbertreport.cc.com/videos/rw2v1b/stephen-colbert-s-enchanted-princess-pixie-wedding-cake", "http://thecolbertreport.cc.com/videos/lffyr9/chuck-todd", "http://thecolbertreport.cc.com/videos/xrfsl8/sign-off---goodnight" ], "guest": "Chuck Todd" }, { "date": "2014-11-04", "videos": [ "http://thecolbertreport.cc.com/videos/1g0aji/midterms--014---detour-to-gridlock---live-coverage", "http://thecolbertreport.cc.com/videos/cmr0z4/midterms--014---detour-to-gridlock---mountains-of-midterm-madness", "http://thecolbertreport.cc.com/videos/w3muth/midterms--014---detour-to-gridlock---social-tracker-8700", "http://thecolbertreport.cc.com/videos/ekj19q/andrew-sullivan", "http://thecolbertreport.cc.com/videos/ckxbqk/sign-off---stephen-s-last-election-special" ], "guest": "Andrew Sullivan" }, { "date": "2014-11-05", "videos": [ "http://thecolbertreport.cc.com/videos/c5okdm/intro---11-5-14", "http://thecolbertreport.cc.com/videos/ywqnjy/the-republicans-win-everything", "http://thecolbertreport.cc.com/videos/wq84nn/better-know-a-district---california-s-13th---barbara-lee", "http://thecolbertreport.cc.com/videos/7feu8t/legalized-marijuana-in-washington--d-c-", "http://thecolbertreport.cc.com/videos/w2qs7x/kirsten-gillibrand", "http://thecolbertreport.cc.com/videos/tno5bj/sign-off---goodnight" ], "guest": "Sen. Kirsten Gillibrand" }, { "date": "2014-11-06", "videos": [ "http://thecolbertreport.cc.com/videos/kk2x1a/intro---11-6-14", "http://thecolbertreport.cc.com/videos/rtdlsr/busted-for-feeding-the-homeless", "http://thecolbertreport.cc.com/videos/3rw0tz/cheating-death---aging---women-s-health", "http://thecolbertreport.cc.com/videos/sc6mpp/the-republicans--inspiring-climate-change-message", "http://thecolbertreport.cc.com/videos/v06v9z/steven-johnson", "http://thecolbertreport.cc.com/videos/yzaj23/sign-off---goodnight" ], "guest": "Steven Johnson" }, { "date": "2014-11-10", "videos": [ "http://thecolbertreport.cc.com/videos/erbk9q/intro---11-10-14", "http://thecolbertreport.cc.com/videos/xnwueh/big-news-from-the-hermit-kingdom", "http://thecolbertreport.cc.com/videos/avadrz/the-word---it-s-a-trap-", "http://thecolbertreport.cc.com/videos/87vgoo/adventures-in-snackology", "http://thecolbertreport.cc.com/videos/sbmlul/andy-cohen", "http://thecolbertreport.cc.com/videos/7uog9s/sign-off---goodnight" ], "guest": "Andy Cohen" }, { "date": "2014-11-11", "videos": [ "http://thecolbertreport.cc.com/videos/mnkz05/intro---11-11-14", "http://thecolbertreport.cc.com/videos/wht7i8/uncertain-death-for-isis-s-leader", "http://thecolbertreport.cc.com/videos/thgfth/blowback-from-obama-s-visit-to-china", "http://thecolbertreport.cc.com/videos/uqricc/tip-wag---breitbart", "http://thecolbertreport.cc.com/videos/41fe1h/diane-von-furstenberg", "http://thecolbertreport.cc.com/videos/ncl44x/sign-off---cheerful-reflection" ], "guest": "Diane Von Furstenberg" }, { "date": "2014-11-12", "videos": [ "http://thecolbertreport.cc.com/videos/80wk4b/intro---11-12-14", "http://thecolbertreport.cc.com/videos/a1b4ph/new-york-city-s-rat-deficiency", "http://thecolbertreport.cc.com/videos/rn92gg/stephen-colbert-s-auto-robotic-fixation", "http://thecolbertreport.cc.com/videos/hhmb28/mr--smith-goes-to-the-state-legislature--then-later-possibly-washington---gordon-klingenschmitt", "http://thecolbertreport.cc.com/videos/6wtwlg/terence-tao", "http://thecolbertreport.cc.com/videos/a1eex6/sign-off---red-wine" ], "guest": "Terence Tao" }, { "date": "2014-11-13", "videos": [ "http://thecolbertreport.cc.com/videos/jtbvle/reforming-health-care-reform", "http://thecolbertreport.cc.com/videos/fe3wjm/reforming-health-care-reform---emily-bazelon", "http://thecolbertreport.cc.com/videos/cvq86c/gay-marriage-victory-in-south-carolina", "http://thecolbertreport.cc.com/videos/3pu1ey/jennifer-lawrence", "http://thecolbertreport.cc.com/videos/9aqahd/sign-off---goodnight" ], "guest": "Jennifer Lawrence" }, { "date": "2014-11-17", "videos": [ "http://thecolbertreport.cc.com/videos/qed7bp/bono-s-missing-luggage", "http://thecolbertreport.cc.com/videos/9dr12d/survival-tips-from--good-morning-america-", "http://thecolbertreport.cc.com/videos/7vjzxb/bernie-sanders-pt--1", "http://thecolbertreport.cc.com/videos/67tlr7/bernie-sanders-pt--2", "http://thecolbertreport.cc.com/videos/uqho5w/sign-off---goodnight" ], "guest": "Sen. Bernie Sanders" }, { "date": "2014-11-18", "videos": [ "http://thecolbertreport.cc.com/videos/fys4c2/intro---11-18-14", "http://thecolbertreport.cc.com/videos/ib2b3k/polar-plunge", "http://thecolbertreport.cc.com/videos/iw2iwg/obama-s-immigration-plan---esteban-colberto", "http://thecolbertreport.cc.com/videos/bbfckz/tip-wag---salvage-stores---maine", "http://thecolbertreport.cc.com/videos/o8su6y/eva-longoria", "http://thecolbertreport.cc.com/videos/vu8jpe/sign-off---goodnight" ], "guest": "Eva Longoria" }, { "date": "2014-11-19", "videos": [ "http://thecolbertreport.cc.com/videos/7mkltp/simulated-school-attack-in-florida", "http://thecolbertreport.cc.com/videos/dvppp6/difference-makers---the-free-keene-squad", "http://thecolbertreport.cc.com/videos/sdqbxm/black-friday-sale", "http://thecolbertreport.cc.com/videos/9yc4ry/toni-morrison", "http://thecolbertreport.cc.com/videos/y4ygag/sign-off---goodnight" ], "guest": "Toni Morrison" }, { "date": "2014-11-20", "videos": [ "http://thecolbertreport.cc.com/videos/01iemp/obama-s-executive-amnesty", "http://thecolbertreport.cc.com/videos/fie7ef/threatdown---declining-standards-of-sexiness--people-who-eat-chocolate---invaders-of-the-new-world", "http://thecolbertreport.cc.com/videos/e55wo4/jon-stewart-pt--1", "http://thecolbertreport.cc.com/videos/vbi9v5/jon-stewart-pt--2", "http://thecolbertreport.cc.com/videos/zwcggy/sign-off---goodnight" ], "guest": "Jon Stewart" }, { "date": "2014-12-01", "videos": [ "http://thecolbertreport.cc.com/videos/wmtufg/intro---12-1-14", "http://thecolbertreport.cc.com/videos/umsrnb/lightsaber-controversy", "http://thecolbertreport.cc.com/videos/wud7e1/ferguson-fallout-and-the-st--louis-rams", "http://thecolbertreport.cc.com/videos/d6xq50/jihadis-of-the-high-seas", "http://thecolbertreport.cc.com/videos/3h1qqa/john-mccain", "http://thecolbertreport.cc.com/videos/dnrg1a/sign-off---goodnight" ], "guest": "Sen. John McCain" }, { "date": "2014-12-02", "videos": [ "http://thecolbertreport.cc.com/videos/v8mtsf/intro---12-2-14", "http://thecolbertreport.cc.com/videos/hyqrm1/announcing-the-mr--colbert-goes-to-washington-special", "http://thecolbertreport.cc.com/videos/ethq4d/the-word---crook-and-ladder", "http://thecolbertreport.cc.com/videos/lje2l4/blitzkrieg-on-grinchitude---mistletoe-drones", "http://thecolbertreport.cc.com/videos/z0hz76/tony-bennett-and-lady-gaga" ], "guest": "Tony Bennett &amp; Lady Gaga" }, { "date": "2014-12-03", "videos": [ "http://thecolbertreport.cc.com/videos/c9s1cs/intro---12-3-14", "http://thecolbertreport.cc.com/videos/nxwili/the-no-social-security-for-nazis-act", "http://thecolbertreport.cc.com/videos/ziipwv/thought-for-food---fairlife-milk---pizza-hut-s-subconscious-menu", "http://thecolbertreport.cc.com/videos/fpdlpw/surprise-visit-from-amy-sedaris", "http://thecolbertreport.cc.com/videos/4r9o52/christopher-nolan", "http://thecolbertreport.cc.com/videos/nwo3n2/sign-off---goodnight" ], "guest": "Christopher Nolan" }, { "date": "2014-12-04", "videos": [ "http://thecolbertreport.cc.com/videos/ik935r/president-barack-obama-to-appear-on-the-report", "http://thecolbertreport.cc.com/videos/d5k5nz/outrage-over-eric-garner-decision", "http://thecolbertreport.cc.com/videos/pxune6/obama-s-bold-and-beautiful-ambassador-pick", "http://thecolbertreport.cc.com/videos/nucbbu/paul-farmer", "http://thecolbertreport.cc.com/videos/82d47r/sign-off---grimmy" ], "guest": "Dr. Paul Farmer" }, { "date": "2014-12-08", "videos": [ "http://thecolbertreport.cc.com/videos/u8bqev/mr--colbert-goes-to-washington", "http://thecolbertreport.cc.com/videos/cnlqbr/better-know-a-america---the-fightin--us", "http://thecolbertreport.cc.com/videos/88p9oh/the-word---president-barack-obama---to-health-in-a-handbasket", "http://thecolbertreport.cc.com/videos/i14vel/president-barack-obama-pt--1", "http://thecolbertreport.cc.com/videos/mpmtan/president-barack-obama-pt--2", "http://thecolbertreport.cc.com/videos/3mcn6y/sign-off---see-ya", "http://thecolbertreport.cc.com/videos/4mkbqz/exclusive---president-barack-obama-extended-interview" ], "guest": "President Barack Obama" }, { "date": "2014-12-09", "videos": [ "http://thecolbertreport.cc.com/videos/tgnj0t/-eaten-alive--outrage", "http://thecolbertreport.cc.com/videos/vd3icz/better-know-a-district---georgia-s-1st---reuniting-with-rep--jack-kingston", "http://thecolbertreport.cc.com/videos/pz35hw/who-s-honoring-me-now----entertainment-weekly", "http://thecolbertreport.cc.com/videos/2kz4pi/james-corden", "http://thecolbertreport.cc.com/videos/0frj3t/sign-off---sting" ], "guest": "James Corden" }, { "date": "2014-12-10", "videos": [ "http://thecolbertreport.cc.com/videos/kquici/cia-torture-report", "http://thecolbertreport.cc.com/videos/rlpjf5/cia-torture-report---pundits-defend-america", "http://thecolbertreport.cc.com/videos/z4grj8/cia-torture-report---tom-blanton", "http://thecolbertreport.cc.com/videos/8i6klx/sarah-koenig", "http://thecolbertreport.cc.com/videos/im3k81/sign-off---headphones" ], "guest": "Sarah Koenig" }, { "date": "2014-12-11", "videos": [ "http://thecolbertreport.cc.com/videos/anckrc/scott-walker-s-hanukkah-gaffe", "http://thecolbertreport.cc.com/videos/399enl/yahweh-or-no-way---epic-casting-controversy", "http://thecolbertreport.cc.com/videos/p9nk9d/announcing-the-colbert-report-raffle", "http://thecolbertreport.cc.com/videos/509747/smaug", "http://thecolbertreport.cc.com/videos/mfxigz/sign-off---aftermath-of-smaug" ], "guest": "\"The Hobbit: Battle of the Five Armies\" special" }, { "date": "2014-12-15", "videos": [ "http://thecolbertreport.cc.com/videos/bt8vk8/intro---12-15-14", "http://thecolbertreport.cc.com/videos/lwna3x/michele-bachmann-s-extreme-holiday-cheer", "http://thecolbertreport.cc.com/videos/0frisd/formidable-opponent---torture-report", "http://thecolbertreport.cc.com/videos/9xetgg/kim-jong-un-s-exclusive-name---sony-s-hack-attack", "http://thecolbertreport.cc.com/videos/j9u5in/seth-rogen", "http://thecolbertreport.cc.com/videos/bhrczk/sign-off---goodnight" ], "guest": "Seth Rogen" }, { "date": "2014-12-16", "videos": [ "http://thecolbertreport.cc.com/videos/arfo3o/jeb-bush-s-presidential-ambitions", "http://thecolbertreport.cc.com/videos/tnwzte/oil-war---jason-bordoff", "http://thecolbertreport.cc.com/videos/vd8ci4/colbert-platinum---holiday-gift-edition", "http://thecolbertreport.cc.com/videos/w5h8eb/kendrick-lamar", "http://thecolbertreport.cc.com/videos/pjrqsj/kendrick-lamar---debut-of-untitled-track" ], "guest": "Kendrick Lamar" } ] } working_folder = 'G:/Downloads' for colbDate in testP['2014']: if 1: newfileResize = 'G:/downloads/The Colbert Report 2014/TheColbertReport '+colbDate['date']+'.mp4' if not os.path.exists(newfileResize): folderName = 'G:/downloads/The Colbert Report 2014/'+colbDate['date'] try: os.mkdir(folderName) except: pass pos = 0 for vid in colbDate['videos']: pos+=1 done = False while not done: folderContents = os.listdir(folderName) for folderContent in folderContents: if folderContent.startswith(str(pos)+' ') and (not folderContent.endswith('.part')): done = True if not done: cmd = os.path.join(working_folder,'youtube-dl.exe') + ' --no-continue -o "'+folderName+'/'+str(pos)+' %(title)s.%(ext)s" '+vid subprocess.call(cmd,shell=True) vids = [] for vid in os.listdir(folderName): if vid.endswith('.mp4'): vids.append(os.path.join(folderName,vid)) vids.sort() newfile = 'G:/downloads/The Colbert Report 2014/TheColbertReport '+colbDate['date']+'temp.mp4' if not os.path.exists(newfileResize): cmd = r' -cat "' + r'" -cat "'.join(vids) + r'" -new "'+newfile+'"' exc = "G:/Downloads/mp4box.exe -tmp G:/temp/ " + cmd subprocess.call(exc,shell=True) cmd = "G:/Downloads/ffmpeg/bin/ffmpeg.exe -i \"" + newfile + "\" -vf scale=1024:576 \""+newfileResize+"\"" subprocess.call(cmd,shell=True) while os.path.exists(newfile): try: os.remove(newfile) except: pass else: print 'file found ' + newfile<|fim▁end|>
"http://thecolbertreport.cc.com/videos/9rlemm/intro---3-14-06", "http://thecolbertreport.cc.com/videos/i3ouk4/trusting-the-media", "http://thecolbertreport.cc.com/videos/i5bwzw/the-word---scapegoat",
<|file_name|>crop.js<|end_file_name|><|fim▁begin|>var gm = require('gm'); var request = require('request'); var cors = require('cors'); var upload = require('./s3-upload'); function crop(req, res) { try { var q = req.query; var image = gm(request(q.image), 'tempImage');<|fim▁hole|> } var fileObj = { alteration: 'cropped', protocol: req.get('x-orig-proto') || req.protocol, prefix: q.prefix, buffer: buffer }; upload(fileObj, res); }); } catch(e) { res.status(500).send(e); } } module.exports = function (app) { app.get('/crop', cors(), crop); };<|fim▁end|>
image.crop(q.width, q.height, q.left, q.top).toBuffer(function(err, buffer) { if (err) { throw err;
<|file_name|>format.rs<|end_file_name|><|fim▁begin|>#[derive(Debug, Clone, Copy, Eq, PartialEq)] pub struct Format(pub ChannelFormat, pub NumericFormat); #[derive(Debug, Clone, Copy, Eq, PartialEq)] pub enum ChannelFormat { R4G4, R4G4B4A4, R5G6B5, B5G6R5, R5G5B5A1, R8, R8G8, R8G8B8A8, B8G8R8A8, R10G11B11, R11G11B10, R10G10B10A2, R16, R16G16, R16G16B16A16, R32, R32G32, R32G32B32, R32G32B32A32, R16G8, R32G8, R9G9B9E5<|fim▁hole|>pub enum NumericFormat { UnsignedNormalizedInteger, SignedNormalizedInteger, UnsignedInteger, SignedInteger, Float }<|fim▁end|>
} #[derive(Debug, Clone, Copy, Eq, PartialEq)]
<|file_name|>resource.rs<|end_file_name|><|fim▁begin|>//! Configure the process resource limits. use cfg_if::cfg_if; use crate::errno::Errno; use crate::Result; pub use libc::rlim_t; use std::mem; cfg_if! { if #[cfg(all(target_os = "linux", any(target_env = "gnu", target_env = "uclibc")))]{ use libc::{__rlimit_resource_t, rlimit, RLIM_INFINITY}; } else if #[cfg(any( target_os = "freebsd", target_os = "openbsd", target_os = "netbsd", target_os = "macos", target_os = "ios", target_os = "android", target_os = "dragonfly", all(target_os = "linux", not(target_env = "gnu")) ))]{ use libc::{c_int, rlimit, RLIM_INFINITY}; } } libc_enum! { /// Types of process resources. /// /// The Resource enum is platform dependent. Check different platform /// manuals for more details. Some platform links have been provided for /// easier reference (non-exhaustive). /// /// * [Linux](https://man7.org/linux/man-pages/man2/getrlimit.2.html) /// * [FreeBSD](https://www.freebsd.org/cgi/man.cgi?query=setrlimit) /// * [NetBSD](https://man.netbsd.org/setrlimit.2) // linux-gnu uses u_int as resource enum, which is implemented in libc as // well. // // https://gcc.gnu.org/legacy-ml/gcc/2015-08/msg00441.html // https://github.com/rust-lang/libc/blob/master/src/unix/linux_like/linux/gnu/mod.rs #[cfg_attr(all(target_os = "linux", target_env = "gnu"), repr(u32))] #[cfg_attr(any( target_os = "freebsd", target_os = "openbsd", target_os = "netbsd", target_os = "macos", target_os = "ios", target_os = "android", target_os = "dragonfly", all(target_os = "linux", not(target_env = "gnu")) ), repr(i32))] #[non_exhaustive] pub enum Resource { #[cfg(not(any(target_os = "freebsd", target_os = "netbsd", target_os = "openbsd")))] #[cfg_attr(docsrs, doc(cfg(all())))] /// The maximum amount (in bytes) of virtual memory the process is /// allowed to map. RLIMIT_AS, /// The largest size (in bytes) core(5) file that may be created. RLIMIT_CORE, /// The maximum amount of cpu time (in seconds) to be used by each /// process. RLIMIT_CPU, /// The maximum size (in bytes) of the data segment for a process RLIMIT_DATA, /// The largest size (in bytes) file that may be created. RLIMIT_FSIZE, /// The maximum number of open files for this process. RLIMIT_NOFILE, /// The maximum size (in bytes) of the stack segment for a process. RLIMIT_STACK, #[cfg(target_os = "freebsd")] #[cfg_attr(docsrs, doc(cfg(all())))] /// The maximum number of kqueues this user id is allowed to create. RLIMIT_KQUEUES, #[cfg(any(target_os = "android", target_os = "linux"))] #[cfg_attr(docsrs, doc(cfg(all())))] /// A limit on the combined number of flock locks and fcntl leases that /// this process may establish. RLIMIT_LOCKS, #[cfg(any( target_os = "android", target_os = "freebsd", target_os = "openbsd", target_os = "linux", target_os = "netbsd" ))] #[cfg_attr(docsrs, doc(cfg(all())))] /// The maximum size (in bytes) which a process may lock into memory /// using the mlock(2) system call. RLIMIT_MEMLOCK, #[cfg(any(target_os = "android", target_os = "linux"))] #[cfg_attr(docsrs, doc(cfg(all())))] /// A limit on the number of bytes that can be allocated for POSIX /// message queues for the real user ID of the calling process. RLIMIT_MSGQUEUE, #[cfg(any(target_os = "android", target_os = "linux"))] #[cfg_attr(docsrs, doc(cfg(all())))] /// A ceiling to which the process's nice value can be raised using /// setpriority or nice. RLIMIT_NICE, #[cfg(any( target_os = "android", target_os = "freebsd", target_os = "netbsd", target_os = "openbsd", target_os = "linux", ))] #[cfg_attr(docsrs, doc(cfg(all())))] /// The maximum number of simultaneous processes for this user id. RLIMIT_NPROC, #[cfg(target_os = "freebsd")] #[cfg_attr(docsrs, doc(cfg(all())))] /// The maximum number of pseudo-terminals this user id is allowed to /// create. RLIMIT_NPTS, #[cfg(any(target_os = "android", target_os = "freebsd", target_os = "netbsd", target_os = "openbsd", target_os = "linux", ))] #[cfg_attr(docsrs, doc(cfg(all())))] /// When there is memory pressure and swap is available, prioritize /// eviction of a process' resident pages beyond this amount (in bytes). RLIMIT_RSS, #[cfg(any(target_os = "android", target_os = "linux"))] #[cfg_attr(docsrs, doc(cfg(all())))] /// A ceiling on the real-time priority that may be set for this process /// using sched_setscheduler and sched_set‐ param. RLIMIT_RTPRIO, #[cfg(any(target_os = "linux"))] #[cfg_attr(docsrs, doc(cfg(all())))] /// A limit (in microseconds) on the amount of CPU time that a process /// scheduled under a real-time scheduling policy may con‐ sume without /// making a blocking system call. RLIMIT_RTTIME, #[cfg(any(target_os = "android", target_os = "linux"))] #[cfg_attr(docsrs, doc(cfg(all())))] /// A limit on the number of signals that may be queued for the real /// user ID of the calling process. RLIMIT_SIGPENDING, #[cfg(any(target_os = "freebsd", target_os = "dragonfly"))] #[cfg_attr(docsrs, doc(cfg(all())))] /// The maximum size (in bytes) of socket buffer usage for this user. RLIMIT_SBSIZE, #[cfg(target_os = "freebsd")] #[cfg_attr(docsrs, doc(cfg(all())))] /// The maximum size (in bytes) of the swap space that may be reserved /// or used by all of this user id's processes. RLIMIT_SWAP, #[cfg(target_os = "freebsd")] #[cfg_attr(docsrs, doc(cfg(all())))] /// An alias for RLIMIT_AS. RLIMIT_VMEM, } } /// Get the current processes resource limits /// /// A value of `None` indicates the value equals to `RLIM_INFINITY` which means /// there is no limit. /// /// # Parameters /// /// * `resource`: The [`Resource`] that we want to get the limits of. /// /// # Examples /// /// ``` /// # use nix::sys::resource::{getrlimit, Resource}; ///<|fim▁hole|>/// println!("current hard_limit: {:?}", hard_limit); /// ``` /// /// # References /// /// [getrlimit(2)](https://pubs.opengroup.org/onlinepubs/9699919799/functions/getrlimit.html#tag_16_215) /// /// [`Resource`]: enum.Resource.html pub fn getrlimit(resource: Resource) -> Result<(Option<rlim_t>, Option<rlim_t>)> { let mut old_rlim = mem::MaybeUninit::<rlimit>::uninit(); cfg_if! { if #[cfg(all(target_os = "linux", any(target_env = "gnu", target_env = "uclibc")))]{ let res = unsafe { libc::getrlimit(resource as __rlimit_resource_t, old_rlim.as_mut_ptr()) }; } else { let res = unsafe { libc::getrlimit(resource as c_int, old_rlim.as_mut_ptr()) }; } } Errno::result(res).map(|_| { let rlimit { rlim_cur, rlim_max } = unsafe { old_rlim.assume_init() }; (Some(rlim_cur), Some(rlim_max)) }) } /// Set the current processes resource limits /// /// # Parameters /// /// * `resource`: The [`Resource`] that we want to set the limits of. /// * `soft_limit`: The value that the kernel enforces for the corresponding /// resource. Note: `None` input will be replaced by constant `RLIM_INFINITY`. /// * `hard_limit`: The ceiling for the soft limit. Must be lower or equal to /// the current hard limit for non-root users. Note: `None` input will be /// replaced by constant `RLIM_INFINITY`. /// /// > Note: for some os (linux_gnu), setting hard_limit to `RLIM_INFINITY` can /// > results `EPERM` Error. So you will need to set the number explicitly. /// /// # Examples /// /// ``` /// # use nix::sys::resource::{setrlimit, Resource}; /// /// let soft_limit = Some(512); /// let hard_limit = Some(1024); /// setrlimit(Resource::RLIMIT_NOFILE, soft_limit, hard_limit).unwrap(); /// ``` /// /// # References /// /// [setrlimit(2)](https://pubs.opengroup.org/onlinepubs/9699919799/functions/getrlimit.html#tag_16_215) /// /// [`Resource`]: enum.Resource.html /// /// Note: `setrlimit` provides a safe wrapper to libc's `setrlimit`. pub fn setrlimit( resource: Resource, soft_limit: Option<rlim_t>, hard_limit: Option<rlim_t>, ) -> Result<()> { let new_rlim = rlimit { rlim_cur: soft_limit.unwrap_or(RLIM_INFINITY), rlim_max: hard_limit.unwrap_or(RLIM_INFINITY), }; cfg_if! { if #[cfg(all(target_os = "linux", any(target_env = "gnu", target_env = "uclibc")))]{ let res = unsafe { libc::setrlimit(resource as __rlimit_resource_t, &new_rlim as *const rlimit) }; }else{ let res = unsafe { libc::setrlimit(resource as c_int, &new_rlim as *const rlimit) }; } } Errno::result(res).map(drop) }<|fim▁end|>
/// let (soft_limit, hard_limit) = getrlimit(Resource::RLIMIT_NOFILE).unwrap(); /// println!("current soft_limit: {:?}", soft_limit);
<|file_name|>channel_numeric_operations.hpp<|end_file_name|><|fim▁begin|>/* Copyright 2005-2007 Adobe Systems Incorporated Distributed under the MIT License (see accompanying file LICENSE_1_0_0.txt or a copy at http://opensource.adobe.com/licenses.html) */ /*************************************************************************************************/ #ifndef GIL_CHANNEL_NUMERIC_OPERATIONS_HPP #define GIL_CHANNEL_NUMERIC_OPERATIONS_HPP /*! /// \file /// \brief Structures for channel-wise numeric operations /// \author Hailin Jin and Lubomir Bourdev \n /// Adobe Systems Incorporated /// \date 2005-2007 \n Last updated on September 30, 2006 /// Currently defined structures: /// channel_plus_t (+), channel_minus_t (-), /// channel_multiplies_t (*), channel_divides_t (/), /// channel_plus_scalar_t (+s), channel_minus_scalar_t (-s), /// channel_multiplies_scalar_t (*s), channel_divides_scalar_t (/s), /// channel_halves_t (/=2), channel_zeros_t (=0), channel_assigns_t (=) */ #include <functional> #include <boost/version.hpp> #if BOOST_VERSION < 106900 #include <boost/gil/gil_config.hpp> #else #include <boost/gil.hpp> #endif #include <boost/gil/channel.hpp> namespace boost { namespace gil { /// \ingroup ChannelNumericOperations /// structure for adding one channel to another /// this is a generic implementation; user should specialize it for better performance template <typename Channel1,typename Channel2,typename ChannelR> struct channel_plus_t : public std::binary_function<Channel1,Channel2,ChannelR> { ChannelR operator()(typename channel_traits<Channel1>::const_reference ch1, typename channel_traits<Channel2>::const_reference ch2) const { return ChannelR(ch1)+ChannelR(ch2); } }; /// \ingroup ChannelNumericOperations /// structure for subtracting one channel from another /// this is a generic implementation; user should specialize it for better performance template <typename Channel1,typename Channel2,typename ChannelR> struct channel_minus_t : public std::binary_function<Channel1,Channel2,ChannelR> { ChannelR operator()(typename channel_traits<Channel1>::const_reference ch1, typename channel_traits<Channel2>::const_reference ch2) const { return ChannelR(ch1)-ChannelR(ch2); } }; /// \ingroup ChannelNumericOperations /// structure for multiplying one channel to another /// this is a generic implementation; user should specialize it for better performance template <typename Channel1,typename Channel2,typename ChannelR> struct channel_multiplies_t : public std::binary_function<Channel1,Channel2,ChannelR> { ChannelR operator()(typename channel_traits<Channel1>::const_reference ch1, typename channel_traits<Channel2>::const_reference ch2) const { return ChannelR(ch1)*ChannelR(ch2); } }; /// \ingroup ChannelNumericOperations /// structure for dividing channels /// this is a generic implementation; user should specialize it for better performance template <typename Channel1,typename Channel2,typename ChannelR> struct channel_divides_t : public std::binary_function<Channel1,Channel2,ChannelR> { ChannelR operator()(typename channel_traits<Channel1>::const_reference ch1, typename channel_traits<Channel2>::const_reference ch2) const { return ChannelR(ch1)/ChannelR(ch2); } }; /// \ingroup ChannelNumericOperations /// structure for adding a scalar to a channel /// this is a generic implementation; user should specialize it for better performance template <typename Channel,typename Scalar,typename ChannelR> struct channel_plus_scalar_t : public std::binary_function<Channel,Scalar,ChannelR> { ChannelR operator()(typename channel_traits<Channel>::const_reference ch, const Scalar& s) const { return ChannelR(ch)+ChannelR(s); } }; /// \ingroup ChannelNumericOperations /// structure for subtracting a scalar from a channel /// this is a generic implementation; user should specialize it for better performance template <typename Channel,typename Scalar,typename ChannelR> struct channel_minus_scalar_t : public std::binary_function<Channel,Scalar,ChannelR> { ChannelR operator()(typename channel_traits<Channel>::const_reference ch, const Scalar& s) const { return ChannelR(ch-s); } }; /// \ingroup ChannelNumericOperations /// structure for multiplying a scalar to one channel /// this is a generic implementation; user should specialize it for better performance template <typename Channel,typename Scalar,typename ChannelR> struct channel_multiplies_scalar_t : public std::binary_function<Channel,Scalar,ChannelR> { <|fim▁hole|> ChannelR operator()(typename channel_traits<Channel>::const_reference ch, const Scalar& s) const { return ChannelR(ch)*ChannelR(s); } }; /// \ingroup ChannelNumericOperations /// structure for dividing a channel by a scalar /// this is a generic implementation; user should specialize it for better performance template <typename Channel,typename Scalar,typename ChannelR> struct channel_divides_scalar_t : public std::binary_function<Channel,Scalar,ChannelR> { ChannelR operator()(typename channel_traits<Channel>::const_reference ch, const Scalar& s) const { return ChannelR(ch)/ChannelR(s); } }; /// \ingroup ChannelNumericOperations /// structure for halving a channel /// this is a generic implementation; user should specialize it for better performance template <typename Channel> struct channel_halves_t : public std::unary_function<Channel,Channel> { typename channel_traits<Channel>::reference operator()(typename channel_traits<Channel>::reference ch) const { return ch/=2.0; } }; /// \ingroup ChannelNumericOperations /// structure for setting a channel to zero /// this is a generic implementation; user should specialize it for better performance template <typename Channel> struct channel_zeros_t : public std::unary_function<Channel,Channel> { typename channel_traits<Channel>::reference operator()(typename channel_traits<Channel>::reference ch) const { return ch=Channel(0); } }; /// \ingroup ChannelNumericOperations /// structure for assigning one channel to another /// this is a generic implementation; user should specialize it for better performance template <typename Channel1,typename Channel2> struct channel_assigns_t : public std::binary_function<Channel1,Channel2,Channel2> { typename channel_traits<Channel2>::reference operator()(typename channel_traits<Channel1>::const_reference ch1, typename channel_traits<Channel2>::reference ch2) const { return ch2=Channel2(ch1); } }; } } // namespace boost::gil #endif<|fim▁end|>
<|file_name|>lib.rs<|end_file_name|><|fim▁begin|>/* This Source Code Form is subject to the terms of the Mozilla Public * License, v. 2.0. If a copy of the MPL was not distributed with this * file, You can obtain one at http://mozilla.org/MPL/2.0/. */ //! This module contains shared types and messages for use by devtools/script. //! The traits are here instead of in script so that the devtools crate can be //! modified independently of the rest of Servo. #![crate_name = "devtools_traits"] #![crate_type = "rlib"] #![feature(int_uint)] #![allow(non_snake_case)] extern crate msg; extern crate "rustc-serialize" as rustc_serialize; extern crate url; extern crate util; use rustc_serialize::{Decodable, Decoder}; use msg::constellation_msg::PipelineId; use util::str::DOMString; use url::Url; use std::sync::mpsc::{Sender, Receiver}; pub type DevtoolsControlChan = Sender<DevtoolsControlMsg>; pub type DevtoolsControlPort = Receiver<DevtoolScriptControlMsg>; // Information would be attached to NewGlobal to be received and show in devtools. // Extend these fields if we need more information. pub struct DevtoolsPageInfo { pub title: DOMString, pub url: Url } /// Messages to the instruct the devtools server to update its known actors/state /// according to changes in the browser. pub enum DevtoolsControlMsg { NewGlobal(PipelineId, Sender<DevtoolScriptControlMsg>, DevtoolsPageInfo), SendConsoleMessage(PipelineId, ConsoleMessage), ServerExitMsg } /// Serialized JS return values /// TODO: generalize this beyond the EvaluateJS message? pub enum EvaluateJSReply { VoidValue, NullValue, BooleanValue(bool), NumberValue(f64), StringValue(String), ActorValue(String), } pub struct AttrInfo { pub namespace: String, pub name: String, pub value: String, } pub struct NodeInfo { pub uniqueId: String, pub baseURI: String, pub parent: String, pub nodeType: uint, pub namespaceURI: String, pub nodeName: String, pub numChildren: uint, pub name: String, pub publicId: String, pub systemId: String, pub attrs: Vec<AttrInfo>, <|fim▁hole|> pub incompleteValue: bool, } /// Messages to process in a particular script task, as instructed by a devtools client. pub enum DevtoolScriptControlMsg { EvaluateJS(PipelineId, String, Sender<EvaluateJSReply>), GetRootNode(PipelineId, Sender<NodeInfo>), GetDocumentElement(PipelineId, Sender<NodeInfo>), GetChildren(PipelineId, String, Sender<Vec<NodeInfo>>), GetLayout(PipelineId, String, Sender<(f32, f32)>), ModifyAttribute(PipelineId, String, Vec<Modification>), WantsLiveNotifications(PipelineId, bool), } /// Messages to instruct devtools server to update its state relating to a particular /// tab. pub enum ScriptDevtoolControlMsg { /// Report a new JS error message ReportConsoleMsg(String), } #[derive(RustcEncodable)] pub struct Modification{ pub attributeName: String, pub newValue: Option<String>, } impl Decodable for Modification { fn decode<D: Decoder>(d: &mut D) -> Result<Modification, D::Error> { d.read_struct("Modification", 2u, |d| Ok(Modification { attributeName: try!(d.read_struct_field("attributeName", 0u, |d| Decodable::decode(d))), newValue: match d.read_struct_field("newValue", 1u, |d| Decodable::decode(d)) { Ok(opt) => opt, Err(_) => None } }) ) } } //TODO: Include options for Warn, Debug, Info, Error messages from Console #[derive(Clone)] pub enum ConsoleMessage { LogMessage(String), //WarnMessage(String), }<|fim▁end|>
pub isDocumentElement: bool, pub shortValue: String,
<|file_name|>runbr.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python3 # coding=utf-8 """Executa o servidor de nomes ".br"."""<|fim▁hole|>def main(): logging.basicConfig( format='[%(levelname)s]%(threadName)s %(message)s', level=logging.INFO) brNS = dns.NameServer('.br', 2, '127.0.0.1', 10001) brNS.add_record('uem.br', '127.0.0.1:10002') brNS.run() if __name__ == '__main__': main()<|fim▁end|>
import logging import dns
<|file_name|>SimpleToadletServer.java<|end_file_name|><|fim▁begin|>/* This code is part of Freenet. It is distributed under the GNU General * Public License, version 2 (or at your option any later version). See * http://www.gnu.org/ for further details of the GPL. */ package freenet.clients.http; ////import org.tanukisoftware.wrapper.WrapperManager; import freenet.client.filter.HTMLFilter; import freenet.client.filter.LinkFilterExceptionProvider; import freenet.clients.http.FProxyFetchInProgress.REFILTER_POLICY; import freenet.clients.http.PageMaker.THEME; import freenet.clients.http.bookmark.BookmarkManager; import freenet.clients.http.updateableelements.PushDataManager; import freenet.config.EnumerableOptionCallback; import freenet.config.InvalidConfigValueException; import freenet.config.NodeNeedRestartException; import freenet.config.SubConfig; import freenet.crypt.SSL; import freenet.io.AllowedHosts; import freenet.io.NetworkInterface; import freenet.io.SSLNetworkInterface; import freenet.keys.FreenetURI; import freenet.l10n.NodeL10n; import freenet.node.Node; import freenet.node.NodeClientCore; import freenet.node.PrioRunnable; import freenet.node.SecurityLevelListener; import freenet.node.SecurityLevels.NETWORK_THREAT_LEVEL; import freenet.node.SecurityLevels.PHYSICAL_THREAT_LEVEL; import freenet.node.useralerts.UserAlertManager; import freenet.pluginmanager.FredPluginL10n; import freenet.support.*; import freenet.support.Logger.LogLevel; import freenet.support.api.*; import freenet.support.io.ArrayBucketFactory; import freenet.support.io.NativeThread; import java.io.File; import java.io.IOException; import java.net.InetAddress; import java.net.Socket; import java.net.URI; import java.net.URISyntaxException; import java.util.Arrays; import java.util.Iterator; import java.util.LinkedList; import java.util.Random; /** * The Toadlet (HTTP) Server * * Provide a HTTP server for FProxy */ public final class SimpleToadletServer implements ToadletContainer, Runnable, LinkFilterExceptionProvider { /** List of urlPrefix / Toadlet */ private final LinkedList<ToadletElement> toadlets; private static class ToadletElement { public ToadletElement(Toadlet t2, String urlPrefix, String menu, String name) { t = t2; prefix = urlPrefix; this.menu = menu; this.name = name; } Toadlet t; String prefix; String menu; String name; } // Socket / Binding private final int port; private String bindTo; private String allowedHosts; private NetworkInterface networkInterface; private boolean ssl = false; public static final int DEFAULT_FPROXY_PORT = 8888; // ACL private final AllowedHosts allowedFullAccess; private boolean publicGatewayMode; private final boolean wasPublicGatewayMode; // Theme private THEME cssTheme; private File cssOverride; private boolean sendAllThemes; private boolean advancedModeEnabled; private final PageMaker pageMaker; // Control private Thread myThread; private final Executor executor; private final Random random; private BucketFactory bf; private volatile NodeClientCore core; // HTTP Option private boolean doRobots; private boolean enablePersistentConnections; private boolean enableInlinePrefetch; private boolean enableActivelinks; private boolean enableExtendedMethodHandling; // Something does not really belongs to here volatile static boolean isPanicButtonToBeShown; // move to QueueToadlet ? volatile static boolean noConfirmPanic; public BookmarkManager bookmarkManager; // move to WelcomeToadlet / BookmarkEditorToadlet ? private volatile boolean fProxyJavascriptEnabled; // ugh? private volatile boolean fProxyWebPushingEnabled; // ugh? private volatile boolean fproxyHasCompletedWizard; // hmmm.. private volatile boolean disableProgressPage; private int maxFproxyConnections; private int fproxyConnections; private boolean finishedStartup; /** The PushDataManager handles all the pushing tasks*/ public PushDataManager pushDataManager; /** The IntervalPusherManager handles interval pushing*/ public IntervalPusherManager intervalPushManager; private static volatile boolean logMINOR; static { Logger.registerLogThresholdCallback(new LogThresholdCallback(){ @Override public void shouldUpdate(){ logMINOR = Logger.shouldLog(LogLevel.MINOR, this); } }); } // Config Callbacks private class FProxySSLCallback extends BooleanCallback { @Override public Boolean get() { return ssl; } @Override public void set(Boolean val) throws InvalidConfigValueException { if (get().equals(val)) return; if(!SSL.available()) { throw new InvalidConfigValueException("Enable SSL support before use ssl with Fproxy"); } ssl = val; throw new InvalidConfigValueException("Cannot change SSL on the fly, please restart freenet"); } @Override public boolean isReadOnly() { return true; } } private static class FProxyPassthruMaxSizeNoProgress extends LongCallback { @Override public Long get() { return FProxyToadlet.MAX_LENGTH_NO_PROGRESS; } @Override public void set(Long val) throws InvalidConfigValueException { if (get().equals(val)) return; FProxyToadlet.MAX_LENGTH_NO_PROGRESS = val; } } private static class FProxyPassthruMaxSizeProgress extends LongCallback { @Override public Long get() { return FProxyToadlet.MAX_LENGTH_WITH_PROGRESS; } @Override public void set(Long val) throws InvalidConfigValueException { if (get().equals(val)) return; FProxyToadlet.MAX_LENGTH_WITH_PROGRESS = val; } } private class FProxyPortCallback extends IntCallback { @Override public Integer get() { return port; } @Override public void set(Integer newPort) throws NodeNeedRestartException { if(port != newPort) { throw new NodeNeedRestartException("Port cannot change on the fly"); } } } private class FProxyBindtoCallback extends StringCallback { @Override public String get() { return bindTo; } @Override public void set(String bindTo) throws InvalidConfigValueException { String oldValue = get(); if(!bindTo.equals(oldValue)) { String[] failedAddresses = networkInterface.setBindTo(bindTo, false); if(failedAddresses == null) { SimpleToadletServer.this.bindTo = bindTo; } else { // This is an advanced option for reasons of reducing clutter, // but it is expected to be used by regular users, not devs. // So we translate the error messages. networkInterface.setBindTo(oldValue, false); throw new InvalidConfigValueException(l10n("couldNotChangeBindTo", "failedInterfaces", Arrays.toString(failedAddresses))); } } } } private class FProxyAllowedHostsCallback extends StringCallback { @Override public String get() { return networkInterface.getAllowedHosts(); } @Override public void set(String allowedHosts) throws InvalidConfigValueException { if (!allowedHosts.equals(get())) { try { networkInterface.setAllowedHosts(allowedHosts); } catch(IllegalArgumentException e) { throw new InvalidConfigValueException(e); } } } } private class FProxyCSSNameCallback extends StringCallback implements EnumerableOptionCallback { @Override public String get() { return cssTheme.code; } @Override public void set(String CSSName) throws InvalidConfigValueException { if((CSSName.indexOf(':') != -1) || (CSSName.indexOf('/') != -1)) throw new InvalidConfigValueException(l10n("illegalCSSName")); cssTheme = THEME.themeFromName(CSSName); pageMaker.setTheme(cssTheme); NodeClientCore core = SimpleToadletServer.this.core; if (core.node.pluginManager != null) core.node.pluginManager.setFProxyTheme(cssTheme); } @Override public String[] getPossibleValues() { return THEME.possibleValues; } } private class FProxyCSSOverrideCallback extends StringCallback { @Override public String get() { return (cssOverride == null ? "" : cssOverride.toString()); } @Override public void set(String val) throws InvalidConfigValueException { NodeClientCore core = SimpleToadletServer.this.core; if(core == null) return; if(val.equals(get()) || val.equals("")) cssOverride = null; else { File tmp = new File(val.trim()); if(!core.allowUploadFrom(tmp)) throw new InvalidConfigValueException(l10n("cssOverrideNotInUploads", "filename", tmp.toString())); else if(!tmp.canRead() || !tmp.isFile()) throw new InvalidConfigValueException(l10n("cssOverrideCantRead", "filename", tmp.toString())); File parent = tmp.getParentFile(); // Basic sanity check. // Prevents user from specifying root dir. // They can still shoot themselves in the foot, but only when developing themes/using custom themes. // Because of the .. check above, any malicious thing cannot break out of the dir anyway. if(parent.getParentFile() == null) throw new InvalidConfigValueException(l10n("cssOverrideCantUseRootDir", "filename", parent.toString())); cssOverride = tmp; } if(cssOverride == null) pageMaker.setOverride(null); else { pageMaker.setOverride(StaticToadlet.OVERRIDE_URL + cssOverride.getName()); } } } private class FProxyEnabledCallback extends BooleanCallback { @Override public Boolean get() { synchronized(SimpleToadletServer.this) { return myThread != null; } } @Override public void set(Boolean val) throws InvalidConfigValueException { if (get().equals(val)) return; synchronized(SimpleToadletServer.this) { if(val) { // Start it myThread = new Thread(SimpleToadletServer.this, "SimpleToadletServer"); } else { myThread.interrupt(); myThread = null; SimpleToadletServer.this.notifyAll(); return; } } createFproxy(); myThread.setDaemon(true); myThread.start(); } } private static class FProxyAdvancedModeEnabledCallback extends BooleanCallback { private final SimpleToadletServer ts; FProxyAdvancedModeEnabledCallback(SimpleToadletServer ts){ this.ts = ts; } @Override public Boolean get() { return ts.isAdvancedModeEnabled(); } @Override public void set(Boolean val) throws InvalidConfigValueException { ts.setAdvancedMode(val); } } private static class FProxyJavascriptEnabledCallback extends BooleanCallback { private final SimpleToadletServer ts; FProxyJavascriptEnabledCallback(SimpleToadletServer ts){ this.ts = ts; } @Override public Boolean get() { return ts.isFProxyJavascriptEnabled(); } @Override public void set(Boolean val) throws InvalidConfigValueException { if (get().equals(val)) return; ts.enableFProxyJavascript(val); } } private static class FProxyWebPushingEnabledCallback extends BooleanCallback{ private final SimpleToadletServer ts; FProxyWebPushingEnabledCallback(SimpleToadletServer ts){ this.ts=ts; } @Override public Boolean get() { return ts.isFProxyWebPushingEnabled(); } @Override public void set(Boolean val) throws InvalidConfigValueException, NodeNeedRestartException { if (get().equals(val)) return; ts.enableFProxyWebPushing(val); } } private boolean haveCalledFProxy = false; // FIXME factor this out to a global helper class somehow? private class ReFilterCallback extends StringCallback implements EnumerableOptionCallback { @Override public String[] getPossibleValues() { REFILTER_POLICY[] possible = REFILTER_POLICY.values(); String[] ret = new String[possible.length]; for(int i=0;i<possible.length;i++) ret[i] = possible[i].name(); return ret; } @Override public String get() { return refilterPolicy.name(); } @Override public void set(String val) throws InvalidConfigValueException, NodeNeedRestartException { refilterPolicy = REFILTER_POLICY.valueOf(val); } }; public void createFproxy() { NodeClientCore core = this.core; Node node = core.node; synchronized(this) { if(haveCalledFProxy) return; haveCalledFProxy = true; } pushDataManager=new PushDataManager(getTicker()); intervalPushManager=new IntervalPusherManager(getTicker(), pushDataManager); bookmarkManager = new BookmarkManager(core, publicGatewayMode()); try { FProxyToadlet.maybeCreateFProxyEtc(core, node, node.config, this); } catch (IOException e) { Logger.error(this, "Could not start fproxy: "+e, e); System.err.println("Could not start fproxy:"); e.printStackTrace(); } } public void setCore(NodeClientCore core) { this.core = core; } /** * Create a SimpleToadletServer, using the settings from the SubConfig (the fproxy.* * config). */ public SimpleToadletServer(SubConfig fproxyConfig, BucketFactory bucketFactory, Executor executor, Node node) throws IOException, InvalidConfigValueException { this.executor = executor; this.core = null; // setCore() will be called later. this.random = new Random(); int configItemOrder = 0; fproxyConfig.register("enabled", true, configItemOrder++, true, true, "SimpleToadletServer.enabled", "SimpleToadletServer.enabledLong", new FProxyEnabledCallback()); boolean enabled = fproxyConfig.getBoolean("enabled"); fproxyConfig.register("ssl", false, configItemOrder++, true, true, "SimpleToadletServer.ssl", "SimpleToadletServer.sslLong", new FProxySSLCallback()); fproxyConfig.register("port", DEFAULT_FPROXY_PORT, configItemOrder++, true, true, "SimpleToadletServer.port", "SimpleToadletServer.portLong", new FProxyPortCallback(), false); fproxyConfig.register("bindTo", NetworkInterface.DEFAULT_BIND_TO, configItemOrder++, true, true, "SimpleToadletServer.bindTo", "SimpleToadletServer.bindToLong", new FProxyBindtoCallback()); fproxyConfig.register("css", "clean-dropdown", configItemOrder++, false, false, "SimpleToadletServer.cssName", "SimpleToadletServer.cssNameLong", new FProxyCSSNameCallback()); fproxyConfig.register("CSSOverride", "", configItemOrder++, true, false, "SimpleToadletServer.cssOverride", "SimpleToadletServer.cssOverrideLong", new FProxyCSSOverrideCallback()); fproxyConfig.register("sendAllThemes", false, configItemOrder++, true, false, "SimpleToadletServer.sendAllThemes", "SimpleToadletServer.sendAllThemesLong", new BooleanCallback() { @Override public Boolean get() { return sendAllThemes; } @Override public void set(Boolean val) throws InvalidConfigValueException, NodeNeedRestartException { sendAllThemes = val; } }); sendAllThemes = fproxyConfig.getBoolean("sendAllThemes"); fproxyConfig.register("advancedModeEnabled", false, configItemOrder++, true, false, "SimpleToadletServer.advancedMode", "SimpleToadletServer.advancedModeLong", new FProxyAdvancedModeEnabledCallback(this)); fproxyConfig.register("enableExtendedMethodHandling", false, configItemOrder++, true, false, "SimpleToadletServer.enableExtendedMethodHandling", "SimpleToadletServer.enableExtendedMethodHandlingLong", new BooleanCallback() { @Override public Boolean get() { return enableExtendedMethodHandling; } @Override public void set(Boolean val) throws InvalidConfigValueException, NodeNeedRestartException { if(get().equals(val)) return; enableExtendedMethodHandling = val; } }); fproxyConfig.register("javascriptEnabled", true, configItemOrder++, true, false, "SimpleToadletServer.enableJS", "SimpleToadletServer.enableJSLong", new FProxyJavascriptEnabledCallback(this)); fproxyConfig.register("webPushingEnabled", false, configItemOrder++, true, false, "SimpleToadletServer.enableWP", "SimpleToadletServer.enableWPLong", new FProxyWebPushingEnabledCallback(this)); fproxyConfig.register("hasCompletedWizard", false, configItemOrder++, true, false, "SimpleToadletServer.hasCompletedWizard", "SimpleToadletServer.hasCompletedWizardLong", new BooleanCallback() { @Override public Boolean get() { return fproxyHasCompletedWizard; } @Override public void set(Boolean val) throws InvalidConfigValueException, NodeNeedRestartException { if(get().equals(val)) return; fproxyHasCompletedWizard = val; } }); fproxyConfig.register("disableProgressPage", false, configItemOrder++, true, false, "SimpleToadletServer.disableProgressPage", "SimpleToadletServer.disableProgressPageLong", new BooleanCallback() { @Override public Boolean get() { return disableProgressPage; } @Override public void set(Boolean val) throws InvalidConfigValueException, NodeNeedRestartException { disableProgressPage = val; } }); fproxyHasCompletedWizard = fproxyConfig.getBoolean("hasCompletedWizard"); fProxyJavascriptEnabled = fproxyConfig.getBoolean("javascriptEnabled"); fProxyWebPushingEnabled = fproxyConfig.getBoolean("webPushingEnabled"); disableProgressPage = fproxyConfig.getBoolean("disableProgressPage"); enableExtendedMethodHandling = fproxyConfig.getBoolean("enableExtendedMethodHandling"); fproxyConfig.register("showPanicButton", false, configItemOrder++, true, true, "SimpleToadletServer.panicButton", "SimpleToadletServer.panicButtonLong", new BooleanCallback(){ @Override public Boolean get() { return SimpleToadletServer.isPanicButtonToBeShown; } @Override public void set(Boolean value) { if(value == SimpleToadletServer.isPanicButtonToBeShown) return; else SimpleToadletServer.isPanicButtonToBeShown = value; } }); fproxyConfig.register("noConfirmPanic", false, configItemOrder++, true, true, "SimpleToadletServer.noConfirmPanic", "SimpleToadletServer.noConfirmPanicLong", new BooleanCallback() { @Override public Boolean get() { return SimpleToadletServer.noConfirmPanic; } @Override public void set(Boolean val) throws InvalidConfigValueException, NodeNeedRestartException { if(val == SimpleToadletServer.noConfirmPanic) return; else SimpleToadletServer.noConfirmPanic = val; } }); fproxyConfig.register("publicGatewayMode", false, configItemOrder++, true, true, "SimpleToadletServer.publicGatewayMode", "SimpleToadletServer.publicGatewayModeLong", new BooleanCallback() { @Override public Boolean get() { return publicGatewayMode; } @Override public void set(Boolean val) throws InvalidConfigValueException, NodeNeedRestartException { if(publicGatewayMode == val) return; publicGatewayMode = val; throw new NodeNeedRestartException(l10n("publicGatewayModeNeedsRestart")); } }); wasPublicGatewayMode = publicGatewayMode = fproxyConfig.getBoolean("publicGatewayMode"); // This is OFF BY DEFAULT because for example firefox has a limit of 2 persistent // connections per server, but 8 non-persistent connections per server. We need 8 conns // more than we need the efficiency gain of reusing connections - especially on first // install. fproxyConfig.register("enablePersistentConnections", false, configItemOrder++, true, false, "SimpleToadletServer.enablePersistentConnections", "SimpleToadletServer.enablePersistentConnectionsLong", new BooleanCallback() { @Override public Boolean get() { synchronized(SimpleToadletServer.this) { return enablePersistentConnections; } } @Override public void set(Boolean val) throws InvalidConfigValueException { synchronized(SimpleToadletServer.this) { enablePersistentConnections = val; } } }); enablePersistentConnections = fproxyConfig.getBoolean("enablePersistentConnections"); // Off by default. // I had hoped it would yield a significant performance boost to bootstrap performance // on browsers with low numbers of simultaneous connections. Unfortunately the bottleneck // appears to be that the node does very few local requests compared to external requests // (for anonymity's sake). fproxyConfig.register("enableInlinePrefetch", false, configItemOrder++, true, false, "SimpleToadletServer.enableInlinePrefetch", "SimpleToadletServer.enableInlinePrefetchLong", new BooleanCallback() { @Override public Boolean get() { synchronized(SimpleToadletServer.this) { return enableInlinePrefetch; } } @Override public void set(Boolean val) throws InvalidConfigValueException { synchronized(SimpleToadletServer.this) { enableInlinePrefetch = val; } } }); enableInlinePrefetch = fproxyConfig.getBoolean("enableInlinePrefetch"); fproxyConfig.register("enableActivelinks", false, configItemOrder++, false, false, "SimpleToadletServer.enableActivelinks", "SimpleToadletServer.enableActivelinksLong", new BooleanCallback() { @Override public Boolean get() { return enableActivelinks; } @Override public void set(Boolean val) throws InvalidConfigValueException, NodeNeedRestartException { enableActivelinks = val; } }); enableActivelinks = fproxyConfig.getBoolean("enableActivelinks"); fproxyConfig.register("passthroughMaxSize", FProxyToadlet.MAX_LENGTH_NO_PROGRESS, configItemOrder++, true, false, "SimpleToadletServer.passthroughMaxSize", "SimpleToadletServer.passthroughMaxSizeLong", new FProxyPassthruMaxSizeNoProgress(), true); FProxyToadlet.MAX_LENGTH_NO_PROGRESS = fproxyConfig.getLong("passthroughMaxSize"); fproxyConfig.register("passthroughMaxSizeProgress", FProxyToadlet.MAX_LENGTH_WITH_PROGRESS, configItemOrder++, true, false, "SimpleToadletServer.passthroughMaxSizeProgress", "SimpleToadletServer.passthroughMaxSizeProgressLong", new FProxyPassthruMaxSizeProgress(), true); FProxyToadlet.MAX_LENGTH_WITH_PROGRESS = fproxyConfig.getLong("passthroughMaxSizeProgress"); System.out.println("Set fproxy max length to "+FProxyToadlet.MAX_LENGTH_NO_PROGRESS+" and max length with progress to "+FProxyToadlet.MAX_LENGTH_WITH_PROGRESS+" = "+fproxyConfig.getLong("passthroughMaxSizeProgress")); fproxyConfig.register("allowedHosts", "127.0.0.1,0:0:0:0:0:0:0:1", configItemOrder++, true, true, "SimpleToadletServer.allowedHosts", "SimpleToadletServer.allowedHostsLong", new FProxyAllowedHostsCallback()); fproxyConfig.register("allowedHostsFullAccess", "127.0.0.1,0:0:0:0:0:0:0:1", configItemOrder++, true, true, "SimpleToadletServer.allowedFullAccess", "SimpleToadletServer.allowedFullAccessLong", new StringCallback() { @Override public String get() { return allowedFullAccess.getAllowedHosts(); } @Override public void set(String val) throws InvalidConfigValueException { try { allowedFullAccess.setAllowedHosts(val); } catch(IllegalArgumentException e) { throw new InvalidConfigValueException(e); } } }); allowedFullAccess = new AllowedHosts(fproxyConfig.getString("allowedHostsFullAccess")); fproxyConfig.register("doRobots", false, configItemOrder++, true, false, "SimpleToadletServer.doRobots", "SimpleToadletServer.doRobotsLong", new BooleanCallback() { @Override public Boolean get() { return doRobots; } @Override public void set(Boolean val) throws InvalidConfigValueException { doRobots = val; } }); doRobots = fproxyConfig.getBoolean("doRobots"); // We may not know what the overall thread limit is yet so just set it to 100. fproxyConfig.register("maxFproxyConnections", 100, configItemOrder++, true, false, "SimpleToadletServer.maxFproxyConnections", "SimpleToadletServer.maxFproxyConnectionsLong", new IntCallback() { @Override public Integer get() { synchronized(SimpleToadletServer.this) { return maxFproxyConnections; } } @Override public void set(Integer val) { synchronized(SimpleToadletServer.this) { maxFproxyConnections = val; SimpleToadletServer.this.notifyAll(); } } }, false); maxFproxyConnections = fproxyConfig.getInt("maxFproxyConnections"); fproxyConfig.register("metaRefreshSamePageInterval", 1, configItemOrder++, true, false, "SimpleToadletServer.metaRefreshSamePageInterval", "SimpleToadletServer.metaRefreshSamePageIntervalLong", new IntCallback() { @Override public Integer get() { return HTMLFilter.metaRefreshSamePageMinInterval; } @Override public void set(Integer val) throws InvalidConfigValueException, NodeNeedRestartException { if(val < -1) throw new InvalidConfigValueException("-1 = disabled, 0+ = set a minimum interval"); // FIXME l10n HTMLFilter.metaRefreshSamePageMinInterval = val; } }, false); HTMLFilter.metaRefreshSamePageMinInterval = Math.max(-1, fproxyConfig.getInt("metaRefreshSamePageInterval")); fproxyConfig.register("metaRefreshRedirectInterval", 1, configItemOrder++, true, false, "SimpleToadletServer.metaRefreshRedirectInterval", "SimpleToadletServer.metaRefreshRedirectIntervalLong", new IntCallback() { @Override public Integer get() { return HTMLFilter.metaRefreshRedirectMinInterval; } @Override public void set(Integer val) throws InvalidConfigValueException, NodeNeedRestartException { if(val < -1) throw new InvalidConfigValueException("-1 = disabled, 0+ = set a minimum interval"); // FIXME l10n HTMLFilter.metaRefreshRedirectMinInterval = val; } }, false); HTMLFilter.metaRefreshRedirectMinInterval = Math.max(-1, fproxyConfig.getInt("metaRefreshRedirectInterval")); fproxyConfig.register("refilterPolicy", "RE_FILTER", configItemOrder++, true, false, "SimpleToadletServer.refilterPolicy", "SimpleToadletServer.refilterPolicyLong", new ReFilterCallback()); this.refilterPolicy = REFILTER_POLICY.valueOf(fproxyConfig.getString("refilterPolicy")); // Network seclevel not physical seclevel because bad filtering can cause network level anonymity breaches. SimpleToadletServer.isPanicButtonToBeShown = fproxyConfig.getBoolean("showPanicButton"); SimpleToadletServer.noConfirmPanic = fproxyConfig.getBoolean("noConfirmPanic"); this.bf = bucketFactory; port = fproxyConfig.getInt("port"); bindTo = fproxyConfig.getString("bindTo"); String cssName = fproxyConfig.getString("css"); if((cssName.indexOf(':') != -1) || (cssName.indexOf('/') != -1)) throw new InvalidConfigValueException("CSS name must not contain slashes or colons!"); cssTheme = THEME.themeFromName(cssName); pageMaker = new PageMaker(cssTheme, node); if(!fproxyConfig.getOption("CSSOverride").isDefault()) { cssOverride = new File(fproxyConfig.getString("CSSOverride")); pageMaker.setOverride(StaticToadlet.OVERRIDE_URL + cssOverride.getName()); } else { cssOverride = null; pageMaker.setOverride(null); } this.advancedModeEnabled = fproxyConfig.getBoolean("advancedModeEnabled"); toadlets = new LinkedList<ToadletElement>(); if(SSL.available()) { ssl = fproxyConfig.getBoolean("ssl"); } this.allowedHosts=fproxyConfig.getString("allowedHosts"); if(!enabled) { Logger.normal(SimpleToadletServer.this, "Not starting FProxy as it's disabled"); System.out.println("Not starting FProxy as it's disabled"); } else { maybeGetNetworkInterface(); myThread = new Thread(this, "SimpleToadletServer"); myThread.setDaemon(true); } // Register static toadlet and startup toadlet StaticToadlet statictoadlet = new StaticToadlet(); register(statictoadlet, null, "/static/", false, false); // "Freenet is starting up..." page, to be removed at #removeStartupToadlet() startupToadlet = new StartupToadlet(statictoadlet); register(startupToadlet, null, "/", false, false); } public StartupToadlet startupToadlet; public void removeStartupToadlet() { // setCore() must have been called first. It is in fact called much earlier on. synchronized(this) { unregister(startupToadlet); // Ready to be GCed startupToadlet = null; // Not in the navbar. } } private void maybeGetNetworkInterface() throws IOException { if (this.networkInterface!=null) return; if(ssl) { this.networkInterface = SSLNetworkInterface.create(port, this.bindTo, allowedHosts, executor, true); } else { this.networkInterface = NetworkInterface.create(port, this.bindTo, allowedHosts, executor, true); } } @Override public boolean doRobots() { return doRobots; } @Override public boolean publicGatewayMode() { return wasPublicGatewayMode; } public void start() { if(myThread != null) try { maybeGetNetworkInterface(); myThread.start(); Logger.normal(this, "Starting FProxy on "+bindTo+ ':' +port); System.out.println("Starting FProxy on "+bindTo+ ':' +port); } catch (IOException e) { Logger.error(this, "Could not bind network port for FProxy?", e); } } public void finishStart() { core.node.securityLevels.addNetworkThreatLevelListener(new SecurityLevelListener<NETWORK_THREAT_LEVEL>() { @Override public void onChange(NETWORK_THREAT_LEVEL oldLevel, NETWORK_THREAT_LEVEL newLevel) { // At LOW, we do ACCEPT_OLD. // Otherwise we do RE_FILTER. // But we don't change it unless it changes from LOW to not LOW. if(newLevel == NETWORK_THREAT_LEVEL.LOW && newLevel != oldLevel) { refilterPolicy = REFILTER_POLICY.ACCEPT_OLD; } else if(oldLevel == NETWORK_THREAT_LEVEL.LOW && newLevel != oldLevel) { refilterPolicy = REFILTER_POLICY.RE_FILTER; } } }); core.node.securityLevels.addPhysicalThreatLevelListener(new SecurityLevelListener<PHYSICAL_THREAT_LEVEL> () { @Override public void onChange(PHYSICAL_THREAT_LEVEL oldLevel, PHYSICAL_THREAT_LEVEL newLevel) { if(newLevel != oldLevel && newLevel == PHYSICAL_THREAT_LEVEL.LOW) { isPanicButtonToBeShown = false; } else if(newLevel != oldLevel) { isPanicButtonToBeShown = true; } } }); synchronized(this) { finishedStartup = true; } } @Override public void register(Toadlet t, String menu, String urlPrefix, boolean atFront, boolean fullOnly) { register(t, menu, urlPrefix, atFront, null, null, fullOnly, null, null); } @Override public void register(Toadlet t, String menu, String urlPrefix, boolean atFront, String name, String title, boolean fullOnly, LinkEnabledCallback cb) { register(t, menu, urlPrefix, atFront, name, title, fullOnly, cb, null); } @Override public void register(Toadlet t, String menu, String urlPrefix, boolean atFront, String name, String title, boolean fullOnly, LinkEnabledCallback cb, FredPluginL10n l10n) { ToadletElement te = new ToadletElement(t, urlPrefix, menu, name); synchronized(toadlets) { if(atFront) toadlets.addFirst(te); else toadlets.addLast(te); t.container = this; } if (menu != null && name != null) { pageMaker.addNavigationLink(menu, urlPrefix, name, title, fullOnly, cb, l10n); } } public void registerMenu(String link, String name, String title, FredPluginL10n plugin) { pageMaker.addNavigationCategory(link, name, title, plugin); } @Override public void unregister(Toadlet t) { ToadletElement e = null; synchronized(toadlets) { for(Iterator<ToadletElement> i=toadlets.iterator();i.hasNext();) { e = i.next(); if(e.t == t) { i.remove(); break; } } } if(e != null && e.t == t) { if(e.menu != null && e.name != null) { pageMaker.removeNavigationLink(e.menu, e.name); } } } public StartupToadlet getStartupToadlet() { return startupToadlet; } @Override public boolean fproxyHasCompletedWizard() { return fproxyHasCompletedWizard; } @Override public Toadlet findToadlet(URI uri) throws PermanentRedirectException { String path = uri.getPath(); // Show the wizard until dismissed by the user (See bug #2624) NodeClientCore core = this.core; if(core != null && core.node != null && !fproxyHasCompletedWizard) { //If the user has not completed the wizard, only allow access to the wizard and static //resources. Anything else redirects to the first page of the wizard. if (!(path.startsWith(FirstTimeWizardToadlet.TOADLET_URL) || path.startsWith(StaticToadlet.ROOT_URL) || path.startsWith(ExternalLinkToadlet.PATH) || path.equals("/favicon.ico"))) { try { throw new PermanentRedirectException(new URI(null, null, null, -1, FirstTimeWizardToadlet.TOADLET_URL, uri.getQuery(), null)); } catch(URISyntaxException e) { throw new Error(e); } } } synchronized(toadlets) { for(ToadletElement te: toadlets) { if(path.startsWith(te.prefix)) return te.t; if(te.prefix.length() > 0 && te.prefix.charAt(te.prefix.length()-1) == '/') { if(path.equals(te.prefix.substring(0, te.prefix.length()-1))) { URI newURI; try { newURI = new URI(te.prefix); } catch (URISyntaxException e) { throw new Error(e); } throw new PermanentRedirectException(newURI); } } } } return null; } @Override public void run() { boolean finishedStartup = false; while(true) { synchronized(this) { while(fproxyConnections > maxFproxyConnections) { try { wait(); } catch (InterruptedException e) { // Ignore } } if((!finishedStartup) && this.finishedStartup) finishedStartup = true; if(myThread == null) return; } Socket conn = networkInterface.accept(); //if (WrapperManager.hasShutdownHookBeenTriggered()) //return; if(conn == null) continue; // timeout if(logMINOR) Logger.minor(this, "Accepted connection"); SocketHandler sh = new SocketHandler(conn, finishedStartup); sh.start(); } } public class SocketHandler implements PrioRunnable { Socket sock; final boolean finishedStartup; public SocketHandler(Socket conn, boolean finishedStartup) { this.sock = conn; this.finishedStartup = finishedStartup; } void start() { if(finishedStartup) executor.execute(this, "HTTP socket handler@"+hashCode()); else new Thread(this).start(); synchronized(SimpleToadletServer.this) { fproxyConnections++; } } @Override public void run() { freenet.support.Logger.OSThread.logPID(this);<|fim▁hole|> if(logMINOR) Logger.minor(this, "Handling connection"); try { ToadletContextImpl.handle(sock, SimpleToadletServer.this, pageMaker, getUserAlertManager(), bookmarkManager); } catch (Throwable t) { System.err.println("Caught in SimpleToadletServer: "+t); t.printStackTrace(); Logger.error(this, "Caught in SimpleToadletServer: "+t, t); } finally { synchronized(SimpleToadletServer.this) { fproxyConnections--; SimpleToadletServer.this.notifyAll(); } } if(logMINOR) Logger.minor(this, "Handled connection"); } @Override public int getPriority() { return NativeThread.HIGH_PRIORITY-1; } } @Override public THEME getTheme() { return this.cssTheme; } public UserAlertManager getUserAlertManager() { NodeClientCore core = this.core; if(core == null) return null; return core.alerts; } public void setCSSName(THEME theme) { this.cssTheme = theme; } @Override public synchronized boolean sendAllThemes() { return this.sendAllThemes; } @Override public synchronized boolean isAdvancedModeEnabled() { return this.advancedModeEnabled; } @Override public void setAdvancedMode(boolean enabled) { synchronized(this) { if(advancedModeEnabled == enabled) return; advancedModeEnabled = enabled; } core.node.config.store(); } @Override public synchronized boolean isFProxyJavascriptEnabled() { return this.fProxyJavascriptEnabled; } public synchronized void enableFProxyJavascript(boolean b){ fProxyJavascriptEnabled = b; } @Override public synchronized boolean isFProxyWebPushingEnabled() { return this.fProxyWebPushingEnabled; } public synchronized void enableFProxyWebPushing(boolean b){ fProxyWebPushingEnabled = b; } @Override public String getFormPassword() { if(core == null) return ""; return core.formPassword; } @Override public boolean isAllowedFullAccess(InetAddress remoteAddr) { return this.allowedFullAccess.allowed(remoteAddr); } private static String l10n(String key, String pattern, String value) { return NodeL10n.getBase().getString("SimpleToadletServer."+key, pattern, value); } private static String l10n(String key) { return NodeL10n.getBase().getString("SimpleToadletServer."+key); } @Override public HTMLNode addFormChild(HTMLNode parentNode, String target, String id) { HTMLNode formNode = parentNode.addChild("div") .addChild("form", new String[] { "action", "method", "enctype", "id", "accept-charset" }, new String[] { target, "post", "multipart/form-data", id, "utf-8"} ); formNode.addChild("input", new String[] { "type", "name", "value" }, new String[] { "hidden", "formPassword", getFormPassword() }); return formNode; } public void setBucketFactory(BucketFactory tempBucketFactory) { this.bf = tempBucketFactory; } public boolean isEnabled() { return myThread != null; } public BookmarkManager getBookmarks() { return bookmarkManager; } public FreenetURI[] getBookmarkURIs() { if(bookmarkManager == null) return new FreenetURI[0]; return bookmarkManager.getBookmarkURIs(); } @Override public boolean enablePersistentConnections() { return enablePersistentConnections; } @Override public boolean enableInlinePrefetch() { return enableInlinePrefetch; } @Override public boolean enableExtendedMethodHandling() { return enableExtendedMethodHandling; } @Override public synchronized boolean allowPosts() { return !(bf instanceof ArrayBucketFactory); } @Override public synchronized BucketFactory getBucketFactory() { return bf; } @Override public boolean enableActivelinks() { return enableActivelinks; } @Override public boolean disableProgressPage() { return disableProgressPage; } @Override public PageMaker getPageMaker() { return pageMaker; } public Ticker getTicker(){ return core.node.getTicker(); } public NodeClientCore getCore(){ return core; } private REFILTER_POLICY refilterPolicy; @Override public REFILTER_POLICY getReFilterPolicy() { return refilterPolicy; } @Override public File getOverrideFile() { return cssOverride; } @Override public String getURL() { return getURL(null); } @Override public String getURL(String host) { StringBuffer sb = new StringBuffer(); if(ssl) sb.append("https"); else sb.append("http"); sb.append("://"); if(host == null) host = "127.0.0.1"; sb.append(host); sb.append(":"); sb.append(this.port); sb.append("/"); return sb.toString(); } @Override public boolean isSSL() { return ssl; } // // LINKFILTEREXCEPTIONPROVIDER METHODS // /** * {@inheritDoc} */ @Override public boolean isLinkExcepted(URI link) { Toadlet toadlet = null; try { toadlet = findToadlet(link); } catch (PermanentRedirectException pre1) { /* ignore. */ } if (toadlet instanceof LinkFilterExceptedToadlet) { return ((LinkFilterExceptedToadlet) toadlet).isLinkExcepted(link); } return false; } @Override public long generateUniqueID() { // FIXME increment a counter? return random.nextLong(); } }<|fim▁end|>
<|file_name|>__init__.py<|end_file_name|><|fim▁begin|>#! /usr/bin/env python<|fim▁hole|># __author__ = 'CwT' from .global_state import State Global = State()<|fim▁end|>
# -*- coding: utf-8 -*-
<|file_name|>Trumpet.java<|end_file_name|><|fim▁begin|>package vshevel.goit.module3.task3; public class Trumpet extends MusicalInstrument { <|fim▁hole|> System.out.println("It's sound not like Piano or Guitar"); } }<|fim▁end|>
@Override public void howDoesThisSound() {
<|file_name|>music.rs<|end_file_name|><|fim▁begin|>//! This module provides the music struct, which allows to play and control a music from a file. use libc; use mpv; use std::rc::Rc; use std::cell::RefCell; /// The music struct. pub struct Music { /// Indicates wether the music is playing, paused or stopped. status: MusicStatus, /// The mpv handler to control the music. mpv: Option<Rc<RefCell<mpv::MpvHandler>>> } impl Music { /// Creates a new music from a path to a music file. pub fn new(path: &str) -> Result<Music, ()> { // Set locale, because apparently, mpv needs it unsafe { libc::setlocale(libc::LC_NUMERIC, &('C' as i8)); } let mpv_builder = mpv::MpvHandlerBuilder::new().expect("Failed to init MPV builder"); let mut mpv = mpv_builder.build().expect("Failed to build MPV handler"); let _ = mpv.set_property("pause", true); if mpv.command(&["loadfile", path]).is_err() { return Err(()) } let arc = Rc::new(RefCell::new(mpv)); Ok(Music { status: MusicStatus::Stopped, mpv: Some(arc), }) } /// Plays the current music. /// /// Tells MPV to set the pause property to false. pub fn play(&mut self) { self.status = MusicStatus::Playing; let _ = self.mpv.as_ref().unwrap().borrow_mut().set_property("pause", false); } /// Stops the current music. /// /// Tells MPV to set the pause property to true, and to reset the playback-time. pub fn stop(&mut self) { self.status = MusicStatus::Stopped; let _ = self.mpv.as_ref().unwrap().borrow_mut().set_property("playback-time", 0); let _ = self.mpv.as_ref().unwrap().borrow_mut().set_property("pause", true); } /// Pauses the current music. /// /// Tells MPV to set the pause property to true. pub fn pause(&mut self) { self.status = MusicStatus::Paused; let _ = self.mpv.as_ref().unwrap().borrow_mut().set_property("pause", true); } /// Returns the status of the music. pub fn status(&self) -> MusicStatus { self.status } /// Mangages the events from MPV. Returns true if the music is finished. pub fn event_loop(&mut self) -> bool { let mut ended = false; if ! self.mpv.is_none() { let mpv = self.mpv.as_mut().unwrap(); loop { match mpv.borrow_mut().wait_event(0.0) { Some(mpv::Event::EndFile(_)) => { ended = true;<|fim▁hole|> None => { break; } } } } if ended { self.stop(); } ended } } #[derive(Copy, Clone)] /// The different possible music statuses. pub enum MusicStatus { Stopped, Playing, Paused } impl MusicStatus { /// Returns a UTF-8 icon representing the music status. pub fn get_icon(&self) -> String { match *self { MusicStatus::Stopped => "⏹", MusicStatus::Playing => "▶", MusicStatus::Paused => "⏸", }.to_owned() } }<|fim▁end|>
}, Some(_) => { },
<|file_name|>factory.py<|end_file_name|><|fim▁begin|>import logging from boto3.resources.factory import ResourceFactory from boto3.resources.model import ResourceModel from boto3.resources.base import ResourceMeta from boto3.docs import docstring from boto3.exceptions import ResourceLoadException from boto3.resources.factory import build_identifiers from functools import partial from aioboto3.resources.collection import AIOCollectionFactory from aioboto3.resources.action import AIOServiceAction, AIOWaiterAction from aioboto3.resources.base import AIOBoto3ServiceResource logger = logging.getLogger(__name__) class AIOBoto3ResourceFactory(ResourceFactory): # noinspection PyMissingConstructor def __init__(self, emitter): self._collection_factory = AIOCollectionFactory() self._emitter = emitter async def load_from_definition(self, resource_name, single_resource_json_definition, service_context): logger.debug('Loading %s:%s', service_context.service_name, resource_name) # Using the loaded JSON create a ResourceModel object. resource_model = ResourceModel( resource_name, single_resource_json_definition, service_context.resource_json_definitions ) # Do some renaming of the shape if there was a naming collision # that needed to be accounted for. shape = None if resource_model.shape: shape = service_context.service_model.shape_for( resource_model.shape) resource_model.load_rename_map(shape) # Set some basic info meta = ResourceMeta( service_context.service_name, resource_model=resource_model) attrs = { 'meta': meta, } # Create and load all of attributes of the resource class based # on the models. # Identifiers self._load_identifiers( attrs=attrs, meta=meta, resource_name=resource_name, resource_model=resource_model ) # Load/Reload actions self._load_actions( attrs=attrs, resource_name=resource_name, resource_model=resource_model, service_context=service_context )<|fim▁hole|> self._load_attributes( attrs=attrs, meta=meta, resource_name=resource_name, resource_model=resource_model, service_context=service_context) # Collections and their corresponding methods self._load_collections( attrs=attrs, resource_model=resource_model, service_context=service_context) # References and Subresources self._load_has_relations( attrs=attrs, resource_name=resource_name, resource_model=resource_model, service_context=service_context ) # Waiter resource actions self._load_waiters( attrs=attrs, resource_name=resource_name, resource_model=resource_model, service_context=service_context ) # Create the name based on the requested service and resource cls_name = resource_name if service_context.service_name == resource_name: cls_name = 'ServiceResource' cls_name = service_context.service_name + '.' + cls_name base_classes = [AIOBoto3ServiceResource] if self._emitter is not None: await self._emitter.emit( 'creating-resource-class.%s' % cls_name, class_attributes=attrs, base_classes=base_classes, service_context=service_context) return type(str(cls_name), tuple(base_classes), attrs) def _create_autoload_property(factory_self, resource_name, name, snake_cased, member_model, service_context): """ Creates a new property on the resource to lazy-load its value via the resource's ``load`` method (if it exists). """ # The property loader will check to see if this resource has already # been loaded and return the cached value if possible. If not, then # it first checks to see if it CAN be loaded (raise if not), then # calls the load before returning the value. async def property_loader(self): if self.meta.data is None: if hasattr(self, 'load'): await self.load() else: raise ResourceLoadException( '{0} has no load method'.format( self.__class__.__name__)) return self.meta.data.get(name) property_loader.__name__ = str(snake_cased) property_loader.__doc__ = docstring.AttributeDocstring( service_name=service_context.service_name, resource_name=resource_name, attr_name=snake_cased, event_emitter=factory_self._emitter, attr_model=member_model, include_signature=False ) return property(property_loader) def _create_waiter(factory_self, resource_waiter_model, resource_name, service_context): """ Creates a new wait method for each resource where both a waiter and resource model is defined. """ waiter = AIOWaiterAction(resource_waiter_model, waiter_resource_name=resource_waiter_model.name) async def do_waiter(self, *args, **kwargs): await waiter(self, *args, **kwargs) do_waiter.__name__ = str(resource_waiter_model.name) do_waiter.__doc__ = docstring.ResourceWaiterDocstring( resource_name=resource_name, event_emitter=factory_self._emitter, service_model=service_context.service_model, resource_waiter_model=resource_waiter_model, service_waiter_model=service_context.service_waiter_model, include_signature=False ) return do_waiter def _create_class_partial(factory_self, subresource_model, resource_name, service_context): """ Creates a new method which acts as a functools.partial, passing along the instance's low-level `client` to the new resource class' constructor. """ name = subresource_model.resource.type async def create_resource(self, *args, **kwargs): # We need a new method here because we want access to the # instance's client. positional_args = [] # We lazy-load the class to handle circular references. json_def = service_context.resource_json_definitions.get(name, {}) resource_cls = await factory_self.load_from_definition( resource_name=name, single_resource_json_definition=json_def, service_context=service_context ) # Assumes that identifiers are in order, which lets you do # e.g. ``sqs.Queue('foo').Message('bar')`` to create a new message # linked with the ``foo`` queue and which has a ``bar`` receipt # handle. If we did kwargs here then future positional arguments # would lead to failure. identifiers = subresource_model.resource.identifiers if identifiers is not None: for identifier, value in build_identifiers(identifiers, self): positional_args.append(value) return partial(resource_cls, *positional_args, client=self.meta.client)(*args, **kwargs) create_resource.__name__ = str(name) create_resource.__doc__ = docstring.SubResourceDocstring( resource_name=resource_name, sub_resource_model=subresource_model, service_model=service_context.service_model, include_signature=False ) return create_resource def _create_action(factory_self, action_model, resource_name, service_context, is_load=False): """ Creates a new method which makes a request to the underlying AWS service. """ # Create the action in in this closure but before the ``do_action`` # method below is invoked, which allows instances of the resource # to share the ServiceAction instance. action = AIOServiceAction( action_model, factory=factory_self, service_context=service_context ) # A resource's ``load`` method is special because it sets # values on the resource instead of returning the response. if is_load: # We need a new method here because we want access to the # instance via ``self``. async def do_action(self, *args, **kwargs): response = await action(self, *args, **kwargs) self.meta.data = response # Create the docstring for the load/reload mehtods. lazy_docstring = docstring.LoadReloadDocstring( action_name=action_model.name, resource_name=resource_name, event_emitter=factory_self._emitter, load_model=action_model, service_model=service_context.service_model, include_signature=False ) else: # We need a new method here because we want access to the # instance via ``self``. async def do_action(self, *args, **kwargs): response = await action(self, *args, **kwargs) if hasattr(self, 'load'): # Clear cached data. It will be reloaded the next # time that an attribute is accessed. # TODO: Make this configurable in the future? self.meta.data = None return response lazy_docstring = docstring.ActionDocstring( resource_name=resource_name, event_emitter=factory_self._emitter, action_model=action_model, service_model=service_context.service_model, include_signature=False ) do_action.__name__ = str(action_model.name) do_action.__doc__ = lazy_docstring return do_action<|fim▁end|>
# Attributes that get auto-loaded
<|file_name|>ipaddress.py<|end_file_name|><|fim▁begin|>#!/usr/bin/python """nrvr.util.ipaddress - Utilities regarding IP addresses Class provided by this module is IPAddress. Works in Linux and Windows. Idea and first implementation - Leo Baschy <srguiwiz12 AT nrvr DOT com> Contributor - Nora Baschy Public repository - https://github.com/srguiwiz/nrvr-commander Copyright (c) Nirvana Research 2006-2015. Simplified BSD License""" import re class IPAddress(object): """Methods for multiple machines on one subnet. As implemented only supports IPv4.""" octetsRegex = re.compile(r"^\s*([0-9]{1,3})\.([0-9]{1,3})\.([0-9]{1,3})\.([0-9]{1,3})\s*$") @classmethod def asList(cls, ipaddress, rangeCheck=False): """For ipaddress="10.123.45.67" return mutable [10, 123, 45, 67]. If already a list, a copy is made and returned.""" if isinstance(ipaddress, basestring): octetsMatch = IPAddress.octetsRegex.search(ipaddress) if not octetsMatch: raise Exception("won't recognize as IP address: {0}".format(ipaddress)) octets = [octetsMatch.group(1), octetsMatch.group(2), octetsMatch.group(3), octetsMatch.group(4)] for index, octet in enumerate(octets): octet = int(octet) if rangeCheck and octet > 255: raise Exception("won't recognize as IP address because > 255: {0}".format(ipaddress)) octets[index] = octet return octets elif isinstance(ipaddress, (int, long)): octets = [] while ipaddress: octets.append(ipaddress % 256) ipaddress /= 256 octets += [0 for i in range(max(4 - len(octets), 0))] octets.reverse() return octets else: # force making a copy return list(ipaddress) @classmethod def asTuple(cls, ipaddress): """For ipaddress="10.123.45.67" return immutable (10, 123, 45, 67).""" if isinstance(ipaddress, tuple): return ipaddress elif isinstance(ipaddress, list): return tuple(ipaddress) else: return tuple(cls.asList(ipaddress)) @classmethod def asString(cls, ipaddress): """For ipaddress=[10, 123, 45, 67] return "10.123.45.67".""" if isinstance(ipaddress, basestring): return ipaddress if isinstance(ipaddress, (int, long)):<|fim▁hole|> return ".".join(map(str, ipaddress)) @classmethod def asInteger(cls, ipaddress): """For ipaddress=[10, 123, 45, 67] return 175844675. At the time of this writing, such an integer however is not accepted as input by other methods of this class.""" octets = cls.asList(ipaddress) # must make a copy integer = 0 while octets: integer = 256 * integer + octets.pop(0) return integer @classmethod def bitAnd(cls, one, other): if not isinstance(one, (list, tuple)): one = cls.asList(one) if not isinstance(other, (list, tuple)): other = cls.asList(other) octets = [] for oneOctet, otherOctet in zip(one, other): octets.append(oneOctet & otherOctet) return octets @classmethod def bitOr(cls, one, other): if not isinstance(one, (list, tuple)): one = cls.asList(one) if not isinstance(other, (list, tuple)): other = cls.asList(other) octets = [] for oneOctet, otherOctet in zip(one, other): octets.append(oneOctet | otherOctet) return octets @classmethod def bitNot(cls, one): if not isinstance(one, (list, tuple)): one = cls.asList(one) octets = [] for oneOctet in one: octets.append(~oneOctet & 255) return octets @classmethod def nameWithNumber(cls, stem, ipaddress, octets=1, separator="-"): """For stem="example" and ipaddress="10.123.45.67" return "example-067". If octets=2 return "example-045-067".""" name = stem ipaddress = IPAddress.asTuple(ipaddress) if not separator: # empty string instead of e.g. None separator = "" for index in range(-octets, 0): # create leading zeros, e.g. from "19" to "019" name += separator + "%03d" % ipaddress[index] return name @classmethod def numberWithinSubnet(cls, oneInSubnet, otherNumber, netmask="255.255.255.0"): """For oneInSubnet="10.123.45.67" and otherNumber="89" return [10, 123, 45, 89]. For oneInSubnet="10.123.45.67" and otherNumber="89.34" and netmask="255.255.0.0" return [10, 123, 89, 34].""" if not isinstance(oneInSubnet, (list, tuple)): oneInSubnet = cls.asList(oneInSubnet) # less than stellar decoding of otherNumber, but it works in actual use cases if isinstance(otherNumber, int): # in theory handling more than 16 bits' 65536 would be desirable, # practically handling up to 16 bits' 65535 is enough if otherNumber <= 255: otherNumber = [otherNumber] else: otherNumber = [otherNumber >> 8, otherNumber & 255] if not isinstance(otherNumber, (list, tuple)): otherNumber = otherNumber.split(".") otherNumber = map(int, otherNumber) if not isinstance(netmask, (list, tuple)): netmask = cls.asList(netmask) complementOfNetmask = cls.bitNot(netmask) contributedBySubnet = cls.bitAnd(oneInSubnet, netmask) otherNumber = [0] * (len(contributedBySubnet) - len(otherNumber)) + otherNumber contributedByNumber = cls.bitAnd(otherNumber, complementOfNetmask) result = cls.bitOr(contributedBySubnet, contributedByNumber) return result if __name__ == "__main__": print IPAddress.asList("10.123.45.67") print IPAddress.asList((192, 168, 95, 17)) print IPAddress.asList([192, 168, 95, 17]) print IPAddress.asList(175844675) print IPAddress.asTuple("10.123.45.67") print IPAddress.asTuple([192, 168, 95, 17]) print IPAddress.asTuple((192, 168, 95, 17)) print IPAddress.asTuple(175844675) print IPAddress.asString([192, 168, 95, 17]) print IPAddress.asString((192, 168, 95, 17)) print IPAddress.asString("10.123.45.67") print IPAddress.asString(175844675) print IPAddress.asInteger("10.123.45.67") print IPAddress.asInteger([10,123,45,67]) print IPAddress.bitAnd("10.123.45.67", "255.255.255.0") print IPAddress.bitOr(IPAddress.bitAnd("10.123.45.67", "255.255.255.0"), "0.0.0.1") print IPAddress.bitNot("1.2.3.4") print IPAddress.nameWithNumber("example", "10.123.45.67") print IPAddress.nameWithNumber("example", "10.123.45.67", octets=2) print IPAddress.nameWithNumber("example", "10.123.45.67", octets=3) print IPAddress.nameWithNumber("example", "10.123.45.67", octets=4) print IPAddress.numberWithinSubnet("10.123.45.67", "89") print IPAddress.numberWithinSubnet("10.123.45.67", 89) print IPAddress.numberWithinSubnet("10.123.45.67", "89.34", netmask="255.255.0.0") print IPAddress.numberWithinSubnet("10.123.45.67", 22818, netmask="255.255.0.0")<|fim▁end|>
ipaddress = cls.asList(ipaddress)
<|file_name|>provider-specification-test.js<|end_file_name|><|fim▁begin|>import {ProviderSpecification} from 'dxref-core/system/provider/provider-specification'; import { module, test } from 'qunit'; module('Unit | dxref-core | system | provider | provider-specification'); test('provider-specification', function(assert) { var myFunc = function() {}; var providerSpec = new ProviderSpecification(['VALUE$Date', 'A', 'B', 'C', myFunc]); assert.deepEqual(providerSpec.getDependencies(), ['A', 'B', 'C']); assert.strictEqual(providerSpec.getFunctionArg(), myFunc);<|fim▁hole|>}); /** Validation of non-provider-specification conformance is tested in the bootstrap-validators-test.js */<|fim▁end|>
assert.equal(providerSpec.getOutputType(), 'VALUE$Date');
<|file_name|>build.rs<|end_file_name|><|fim▁begin|>extern crate capnpc; extern crate cc; extern crate cmake; fn main() { // Compile RPC schema file into rust code capnpc::CompilerCommand::new() .src_prefix("schema") .file("schema/pung.capnp") .run().expect("schema compiler command"); // Compile and link pung C++ PIR shim cc::Build::new()<|fim▁hole|> .file("src/pir/cpp/pungPIR.cpp") .include("deps/xpir/") .flag("-std=c++11") .flag("-fopenmp") .flag("-Wno-unused-parameter") .pic(true) .cpp(true) .compile("libpung_pir.a"); // Compile and link XPIR c++ shim let dst = cmake::Config::new("deps/xpir") .define("CMAKE_BUILD_TYPE", "Release") .define("MULTI_THREAD", "OFF") .define("PERF_TIMERS", "OFF") .build(); println!("cargo:rustc-link-search=native={}/build/pir", dst.display()); println!("cargo:rustc-link-lib=static=pir_static"); // Dynamic libraries needed by XPIR println!("cargo:rustc-link-lib=gomp"); println!("cargo:rustc-link-lib=gmp"); println!("cargo:rustc-link-lib=mpfr"); println!("cargo:rustc-link-lib=boost_thread"); println!("cargo:rustc-link-lib=boost_system"); }<|fim▁end|>
<|file_name|>insert_only.rs<|end_file_name|><|fim▁begin|>use std::borrow::Borrow; use std::boxed::Box; use std::cell::{Cell, UnsafeCell}; use std::cmp::Eq; use std::collections::hash_map::{self, Entry}; use std::collections::HashMap as Interior; use std::hash::{BuildHasher, Hash}; #[derive(Debug)] pub struct HashMap<K: Eq + Hash, V, S: BuildHasher = ::std::collections::hash_map::RandomState> { data: UnsafeCell<Interior<K, Box<V>, S>>, inserting: Cell<bool>, } impl<K: Eq + Hash, V> HashMap<K, V, ::std::collections::hash_map::RandomState> { pub fn new() -> HashMap<K, V, ::std::collections::hash_map::RandomState> { HashMap { data: UnsafeCell::new(Interior::new()), inserting: Cell::new(false), } } } impl<K: Eq + Hash, V, S: BuildHasher> HashMap<K, V, S> { pub fn with_hasher(hash_builder: S) -> HashMap<K, V, S> { HashMap { data: UnsafeCell::new(Interior::with_hasher(hash_builder)), inserting: Cell::new(false), } } pub fn with_capacity_and_hasher(capacity: usize, hash_builder: S) -> HashMap<K, V, S> { HashMap { data: UnsafeCell::new(Interior::with_capacity_and_hasher(capacity, hash_builder)), inserting: Cell::new(false), } } pub fn get_default<F>(&self, key: K, default_function: F) -> Option<&V> where F: FnOnce() -> Option<V>, { assert!( !self.inserting.get(), "Attempt to call get_default() on a insert_only::HashMap within the default_function \ callback for another get_default() on the same map" ); self.inserting.set(true); let result = match unsafe { (*self.data.get()).entry(key) } { Entry::Vacant(entry) => match default_function() { None => None, Some(value) => Some((*entry.insert(Box::new(value))).borrow()), }, Entry::Occupied(entry) => Some((*entry.into_mut()).borrow()), }; self.inserting.set(false); result } // if you are holding a &mut HashMap, you can also use it like a regular map pub fn insert(&mut self, key: K, value: V) -> Option<V> { unsafe { (*self.data.get()).insert(key, Box::new(value)) }.map(|something| *something) } pub fn len(&self) -> usize { assert!( !self.inserting.get(), "Attempt to call len() on a insert_only::HashMap within the default_function \ callback for a get_default() on the same map" ); unsafe { (*self.data.get()).len() } } } impl<K: Eq + Hash, V, S: BuildHasher + Default> Default for HashMap<K, V, S> { fn default() -> HashMap<K, V, S> { HashMap::with_hasher(Default::default()) } } pub struct IntoIter<K, V> { data: hash_map::IntoIter<K, Box<V>>,<|fim▁hole|> fn next(&mut self) -> Option<Self::Item> { self.data.next().map(|(key, value)| (key, *value)) } fn size_hint(&self) -> (usize, Option<usize>) { self.data.size_hint() } } impl<K: Eq + Hash, V, S: BuildHasher> IntoIterator for HashMap<K, V, S> { type Item = (K, V); type IntoIter = IntoIter<K, V>; fn into_iter(self) -> Self::IntoIter { IntoIter { data: self.data.into_inner().into_iter(), } } }<|fim▁end|>
} impl<K, V> Iterator for IntoIter<K, V> { type Item = (K, V);
<|file_name|>mso_schema_site_vrf_region.py<|end_file_name|><|fim▁begin|>#!/usr/bin/python # -*- coding: utf-8 -*- # Copyright: (c) 2019, Dag Wieers (@dagwieers) <[email protected]> # GNU General Public License v3.0+ (see COPYING or https://www.gnu.org/licenses/gpl-3.0.txt) from __future__ import absolute_import, division, print_function __metaclass__ = type ANSIBLE_METADATA = {'metadata_version': '1.1', 'status': ['preview'], 'supported_by': 'community'} DOCUMENTATION = r''' --- module: mso_schema_site_vrf_region short_description: Manage site-local VRF regions in schema template description: - Manage site-local VRF regions in schema template on Cisco ACI Multi-Site. author: - Dag Wieers (@dagwieers) version_added: '2.8' options: schema: description: - The name of the schema. type: str required: yes site: description: - The name of the site. type: str required: yes template: description: - The name of the template. type: str required: yes vrf: description: - The name of the VRF. type: str region: description: - The name of the region to manage. type: str aliases: [ name ] state: description: - Use C(present) or C(absent) for adding or removing. - Use C(query) for listing an object or multiple objects. type: str choices: [ absent, present, query ] default: present<|fim▁hole|>extends_documentation_fragment: mso ''' EXAMPLES = r''' - name: Add a new site VRF region mso_schema_template_vrf_region: host: mso_host username: admin password: SomeSecretPassword schema: Schema1 site: Site1 template: Template1 vrf: VRF1 region: us-west-1 state: present delegate_to: localhost - name: Remove a site VRF region mso_schema_template_vrf_region: host: mso_host username: admin password: SomeSecretPassword schema: Schema1 site: Site1 template: Template1 vrf: VRF1 region: us-west-1 state: absent delegate_to: localhost - name: Query a specific site VRF region mso_schema_template_vrf_region: host: mso_host username: admin password: SomeSecretPassword schema: Schema1 site: Site1 template: Template1 vrf: VRF1 region: us-west-1 state: query delegate_to: localhost register: query_result - name: Query all site VRF regions mso_schema_template_vrf_region: host: mso_host username: admin password: SomeSecretPassword schema: Schema1 site: Site1 template: Template1 vrf: VRF1 state: query delegate_to: localhost register: query_result ''' RETURN = r''' ''' from ansible.module_utils.basic import AnsibleModule from ansible.module_utils.network.aci.mso import MSOModule, mso_argument_spec def main(): argument_spec = mso_argument_spec() argument_spec.update( schema=dict(type='str', required=True), site=dict(type='str', required=True), template=dict(type='str', required=True), vrf=dict(type='str', required=True), region=dict(type='str', aliases=['name']), # This parameter is not required for querying all objects state=dict(type='str', default='present', choices=['absent', 'present', 'query']), ) module = AnsibleModule( argument_spec=argument_spec, supports_check_mode=True, required_if=[ ['state', 'absent', ['region']], ['state', 'present', ['region']], ], ) schema = module.params['schema'] site = module.params['site'] template = module.params['template'] vrf = module.params['vrf'] region = module.params['region'] state = module.params['state'] mso = MSOModule(module) # Get schema_id schema_obj = mso.get_obj('schemas', displayName=schema) if not schema_obj: mso.fail_json(msg="Provided schema '{0}' does not exist".format(schema)) schema_path = 'schemas/{id}'.format(**schema_obj) schema_id = schema_obj['id'] # Get site site_id = mso.lookup_site(site) # Get site_idx sites = [(s['siteId'], s['templateName']) for s in schema_obj['sites']] if (site_id, template) not in sites: mso.fail_json(msg="Provided site/template '{0}-{1}' does not exist. Existing sites/templates: {2}".format(site, template, ', '.join(sites))) # Schema-access uses indexes site_idx = sites.index((site_id, template)) # Path-based access uses site_id-template site_template = '{0}-{1}'.format(site_id, template) # Get VRF vrf_ref = mso.vrf_ref(schema_id=schema_id, template=template, vrf=vrf) vrfs = [v['vrfRef'] for v in schema_obj['sites'][site_idx]['vrfs']] if vrf_ref not in vrfs: mso.fail_json(msg="Provided vrf '{0}' does not exist. Existing vrfs: {1}".format(vrf, ', '.join(vrfs))) vrf_idx = vrfs.index(vrf_ref) # Get Region regions = [r['name'] for r in schema_obj['sites'][site_idx]['vrfs'][vrf_idx]['regions']] if region is not None and region in regions: region_idx = regions.index(region) region_path = '/sites/{0}/vrfs/{1}/regions/{2}'.format(site_template, vrf, region) mso.existing = schema_obj['sites'][site_idx]['vrfs'][vrf_idx]['regions'][region_idx] if state == 'query': if region is None: mso.existing = schema_obj['sites'][site_idx]['vrfs'][vrf_idx]['regions'] elif not mso.existing: mso.fail_json(msg="Region '{region}' not found".format(region=region)) mso.exit_json() regions_path = '/sites/{0}/vrfs/{1}/regions'.format(site_template, vrf) ops = [] mso.previous = mso.existing if state == 'absent': if mso.existing: mso.sent = mso.existing = {} ops.append(dict(op='remove', path=region_path)) elif state == 'present': payload = dict( name=region, ) mso.sanitize(payload, collate=True) if mso.existing: ops.append(dict(op='replace', path=region_path, value=mso.sent)) else: ops.append(dict(op='add', path=regions_path + '/-', value=mso.sent)) mso.existing = mso.proposed if not module.check_mode: mso.request(schema_path, method='PATCH', data=ops) mso.exit_json() if __name__ == "__main__": main()<|fim▁end|>
seealso: - module: mso_schema_site_vrf - module: mso_schema_template_vrf
<|file_name|>index.tsx<|end_file_name|><|fim▁begin|>import React from 'react'; import intersection from 'lodash/intersection'; import uniq from 'lodash/uniq'; import xor from 'lodash/xor'; import BulkNotice from './bulkNotice'; type RenderProps = { /** * Are all rows on current page selected? */ isPageSelected: boolean; /** * Callback for toggling single row */ onRowToggle: (id: string) => void; /** * Callback for toggling all rows across all pages */<|fim▁hole|> onAllRowsToggle: (select: boolean) => void; /** * Callback for toggling all rows on current page */ onPageRowsToggle: (select: boolean) => void; /** * Ready to be rendered summary component showing how many items are selected, * with buttons to select everything, cancel everything, etc... */ renderBulkNotice: () => React.ReactNode; } & Pick<State, 'selectedIds' | 'isAllSelected'>; type State = { /** * Selected ids on the current page */ selectedIds: string[]; /** * Are all rows across all pages selected? */ isAllSelected: boolean; }; type Props = { /** * Array of ids on current page */ pageIds: string[]; /** * Number of all rows across all pages */ allRowsCount: number; /** * Number of grid columns to stretch the selection summary (used in BulkNotice) */ columnsCount: number; /** * Children with render props */ children: (props: RenderProps) => React.ReactNode; /** * Maximum number of rows that can be bulk manipulated at once (used in BulkNotice) */ bulkLimit?: number; }; class BulkController extends React.Component<Props, State> { state: State = { selectedIds: [], isAllSelected: false, }; static getDerivedStateFromProps(props: Props, state: State) { return { ...state, selectedIds: intersection(state.selectedIds, props.pageIds), }; } handleRowToggle = (id: string) => { this.setState(state => ({ selectedIds: xor(state.selectedIds, [id]), isAllSelected: false, })); }; handleAllRowsToggle = (select: boolean) => { const {pageIds} = this.props; this.setState({ selectedIds: select ? [...pageIds] : [], isAllSelected: select, }); }; handlePageRowsToggle = (select: boolean) => { const {pageIds} = this.props; this.setState(state => ({ selectedIds: select ? uniq([...state.selectedIds, ...pageIds]) : state.selectedIds.filter(id => !pageIds.includes(id)), isAllSelected: false, })); }; render() { const {pageIds, children, columnsCount, allRowsCount, bulkLimit} = this.props; const {selectedIds, isAllSelected} = this.state; const isPageSelected = pageIds.length > 0 && pageIds.every(id => selectedIds.includes(id)); const renderProps: RenderProps = { selectedIds, isAllSelected, isPageSelected, onRowToggle: this.handleRowToggle, onAllRowsToggle: this.handleAllRowsToggle, onPageRowsToggle: this.handlePageRowsToggle, renderBulkNotice: () => ( <BulkNotice allRowsCount={allRowsCount} selectedRowsCount={selectedIds.length} onUnselectAllRows={() => this.handleAllRowsToggle(false)} onSelectAllRows={() => this.handleAllRowsToggle(true)} columnsCount={columnsCount} isPageSelected={isPageSelected} isAllSelected={isAllSelected} bulkLimit={bulkLimit} /> ), }; return children(renderProps); } } export default BulkController;<|fim▁end|>
<|file_name|>tasks.py<|end_file_name|><|fim▁begin|>from celery import shared_task <|fim▁hole|> @shared_task def auto_sync_app_models_task(): sync.auto_sync_app_models()<|fim▁end|>
import sync
<|file_name|>mod.rs<|end_file_name|><|fim▁begin|>//! Shadowsocks Local Server #[cfg(feature = "local-flow-stat")] use std::path::PathBuf; use std::{ io::{self, ErrorKind}, sync::Arc, time::Duration, }; use futures::{ future::BoxFuture, stream::{FuturesUnordered, StreamExt}, FutureExt, }; use log::trace; use shadowsocks::{ config::Mode, net::{AcceptOpts, ConnectOpts}, }; #[cfg(feature = "local-flow-stat")] use crate::net::FlowStat; use crate::{ config::{Config, ConfigType, ProtocolType}, dns::build_dns_resolver, }; use self::{ context::ServiceContext, loadbalancing::{PingBalancer, PingBalancerBuilder}, }; pub mod context; #[cfg(feature = "local-dns")] pub mod dns; #[cfg(feature = "local-http")] pub mod http; pub mod loadbalancing; pub mod net; #[cfg(feature = "local-redir")] pub mod redir; pub mod socks; #[cfg(feature = "local-tun")] pub mod tun; #[cfg(feature = "local-tunnel")] pub mod tunnel; pub mod utils; /// Default TCP Keep Alive timeout /// /// This is borrowed from Go's `net` library's default setting pub(crate) const LOCAL_DEFAULT_KEEPALIVE_TIMEOUT: Duration = Duration::from_secs(15); /// Local Server instance pub struct Server { vfut: FuturesUnordered<BoxFuture<'static, io::Result<()>>>, balancer: PingBalancer, } impl Server { /// Run local server pub async fn run(self) -> io::Result<()> { let (res, _) = self.vfut.into_future().await; res.unwrap() } /// Get the internal server balancer pub fn server_balancer(&self) -> &PingBalancer { &self.balancer } } /// Starts a shadowsocks local server pub async fn create(config: Config) -> io::Result<Server> { assert!(config.config_type == ConfigType::Local && !config.local.is_empty()); assert!(!config.server.is_empty()); trace!("{:?}", config); // Warning for Stream Ciphers #[cfg(feature = "stream-cipher")] for server in config.server.iter() { if server.method().is_stream() { log::warn!("stream cipher {} for server {} have inherent weaknesses (see discussion in https://github.com/shadowsocks/shadowsocks-org/issues/36). \ DO NOT USE. It will be removed in the future.", server.method(), server.addr()); } } #[cfg(all(unix, not(target_os = "android")))] if let Some(nofile) = config.nofile { use crate::sys::set_nofile; if let Err(err) = set_nofile(nofile) { log::warn!("set_nofile {} failed, error: {}", nofile, err); } } let mut context = ServiceContext::new(); let mut connect_opts = ConnectOpts { #[cfg(any(target_os = "linux", target_os = "android"))] fwmark: config.outbound_fwmark, #[cfg(target_os = "android")] vpn_protect_path: config.outbound_vpn_protect_path, bind_interface: config.outbound_bind_interface,<|fim▁hole|> }; connect_opts.tcp.send_buffer_size = config.outbound_send_buffer_size; connect_opts.tcp.recv_buffer_size = config.outbound_recv_buffer_size; connect_opts.tcp.nodelay = config.no_delay; connect_opts.tcp.fastopen = config.fast_open; connect_opts.tcp.keepalive = config.keep_alive.or(Some(LOCAL_DEFAULT_KEEPALIVE_TIMEOUT)); context.set_connect_opts(connect_opts); let mut accept_opts = AcceptOpts { ipv6_only: config.ipv6_only, ..Default::default() }; accept_opts.tcp.send_buffer_size = config.inbound_send_buffer_size; accept_opts.tcp.recv_buffer_size = config.inbound_recv_buffer_size; accept_opts.tcp.nodelay = config.no_delay; accept_opts.tcp.fastopen = config.fast_open; accept_opts.tcp.keepalive = config.keep_alive.or(Some(LOCAL_DEFAULT_KEEPALIVE_TIMEOUT)); if let Some(resolver) = build_dns_resolver(config.dns, config.ipv6_first, context.connect_opts_ref()).await { context.set_dns_resolver(Arc::new(resolver)); } if config.ipv6_first { context.set_ipv6_first(config.ipv6_first); } if let Some(acl) = config.acl { context.set_acl(acl); } context.set_security_config(&config.security); assert!(!config.local.is_empty(), "no valid local server configuration"); let context = Arc::new(context); let vfut = FuturesUnordered::new(); // Create a service balancer for choosing between multiple servers let balancer = { let mut mode = Mode::TcpOnly; for local in &config.local { mode = mode.merge(local.mode); } let mut balancer_builder = PingBalancerBuilder::new(context.clone(), mode); // max_server_rtt have to be set before add_server if let Some(rtt) = config.balancer.max_server_rtt { balancer_builder.max_server_rtt(rtt); } if let Some(intv) = config.balancer.check_interval { balancer_builder.check_interval(intv); } for server in config.server { balancer_builder.add_server(server); } balancer_builder.build().await? }; #[cfg(feature = "local-flow-stat")] if let Some(stat_path) = config.stat_path { // For Android's flow statistic let report_fut = flow_report_task(stat_path, context.flow_stat()); vfut.push(report_fut.boxed()); } for local_config in config.local { let balancer = balancer.clone(); match local_config.protocol { ProtocolType::Socks => { use self::socks::Socks; let client_addr = match local_config.addr { Some(a) => a, None => return Err(io::Error::new(ErrorKind::Other, "socks requires local address")), }; let mut server = Socks::with_context(context.clone()); server.set_mode(local_config.mode); if let Some(c) = config.udp_max_associations { server.set_udp_capacity(c); } if let Some(d) = config.udp_timeout { server.set_udp_expiry_duration(d); } if let Some(b) = local_config.udp_addr { server.set_udp_bind_addr(b.clone()); } vfut.push(async move { server.run(&client_addr, balancer).await }.boxed()); } #[cfg(feature = "local-tunnel")] ProtocolType::Tunnel => { use self::tunnel::Tunnel; let client_addr = match local_config.addr { Some(a) => a, None => return Err(io::Error::new(ErrorKind::Other, "tunnel requires local address")), }; let forward_addr = local_config.forward_addr.expect("tunnel requires forward address"); let mut server = Tunnel::with_context(context.clone(), forward_addr.clone()); if let Some(c) = config.udp_max_associations { server.set_udp_capacity(c); } if let Some(d) = config.udp_timeout { server.set_udp_expiry_duration(d); } server.set_mode(local_config.mode); let udp_addr = local_config.udp_addr.unwrap_or_else(|| client_addr.clone()); vfut.push(async move { server.run(&client_addr, &udp_addr, balancer).await }.boxed()); } #[cfg(feature = "local-http")] ProtocolType::Http => { use self::http::Http; let client_addr = match local_config.addr { Some(a) => a, None => return Err(io::Error::new(ErrorKind::Other, "http requires local address")), }; let server = Http::with_context(context.clone()); vfut.push(async move { server.run(&client_addr, balancer).await }.boxed()); } #[cfg(feature = "local-redir")] ProtocolType::Redir => { use self::redir::Redir; let client_addr = match local_config.addr { Some(a) => a, None => return Err(io::Error::new(ErrorKind::Other, "redir requires local address")), }; let mut server = Redir::with_context(context.clone()); if let Some(c) = config.udp_max_associations { server.set_udp_capacity(c); } if let Some(d) = config.udp_timeout { server.set_udp_expiry_duration(d); } server.set_mode(local_config.mode); server.set_tcp_redir(local_config.tcp_redir); server.set_udp_redir(local_config.udp_redir); let udp_addr = local_config.udp_addr.unwrap_or_else(|| client_addr.clone()); vfut.push(async move { server.run(&client_addr, &udp_addr, balancer).await }.boxed()); } #[cfg(feature = "local-dns")] ProtocolType::Dns => { use self::dns::Dns; let client_addr = match local_config.addr { Some(a) => a, None => return Err(io::Error::new(ErrorKind::Other, "dns requires local address")), }; let mut server = { let local_addr = local_config.local_dns_addr.expect("missing local_dns_addr"); let remote_addr = local_config.remote_dns_addr.expect("missing remote_dns_addr"); Dns::with_context(context.clone(), local_addr.clone(), remote_addr.clone()) }; server.set_mode(local_config.mode); vfut.push(async move { server.run(&client_addr, balancer).await }.boxed()); } #[cfg(feature = "local-tun")] ProtocolType::Tun => { use log::info; use shadowsocks::net::UnixListener; use self::tun::TunBuilder; let mut builder = TunBuilder::new(context.clone(), balancer); if let Some(address) = local_config.tun_interface_address { builder = builder.address(address); } if let Some(name) = local_config.tun_interface_name { builder = builder.name(&name); } if let Some(c) = config.udp_max_associations { builder = builder.udp_capacity(c); } if let Some(d) = config.udp_timeout { builder = builder.udp_expiry_duration(d); } builder = builder.mode(local_config.mode); #[cfg(unix)] if let Some(fd) = local_config.tun_device_fd { builder = builder.file_descriptor(fd); } else if let Some(ref fd_path) = local_config.tun_device_fd_from_path { use std::fs; let _ = fs::remove_file(fd_path); let listener = match UnixListener::bind(fd_path) { Ok(l) => l, Err(err) => { log::error!("failed to bind uds path \"{}\", error: {}", fd_path.display(), err); return Err(err); } }; info!("waiting tun's file descriptor from {}", fd_path.display()); loop { let (mut stream, peer_addr) = listener.accept().await?; trace!("accepted {:?} for receiving tun file descriptor", peer_addr); let mut buffer = [0u8; 1024]; let mut fd_buffer = [0]; match stream.recv_with_fd(&mut buffer, &mut fd_buffer).await { Ok((n, fd_size)) => { if fd_size == 0 { log::error!( "client {:?} didn't send file descriptors with buffer.size {} bytes", peer_addr, n ); continue; } info!("got file descriptor {} for tun from {:?}", fd_buffer[0], peer_addr); builder = builder.file_descriptor(fd_buffer[0]); break; } Err(err) => { log::error!( "failed to receive file descriptors from {:?}, error: {}", peer_addr, err ); } } } } let server = builder.build().await?; vfut.push(async move { server.run().await }.boxed()); } } } // let (res, ..) = future::select_all(vfut).await; // let (res, _) = vfut.into_future().await; // res.unwrap() Ok(Server { vfut, balancer }) } #[cfg(feature = "local-flow-stat")] async fn flow_report_task(stat_path: PathBuf, flow_stat: Arc<FlowStat>) -> io::Result<()> { use std::slice; use log::debug; use tokio::{io::AsyncWriteExt, net::UnixStream, time}; // Android's flow statistic report RPC let timeout = Duration::from_secs(1); loop { // keep it as libev's default, 0.5 seconds time::sleep(Duration::from_millis(500)).await; let mut stream = match time::timeout(timeout, UnixStream::connect(&stat_path)).await { Ok(Ok(s)) => s, Ok(Err(err)) => { debug!("send client flow statistic error: {}", err); continue; } Err(..) => { debug!("send client flow statistic error: timeout"); continue; } }; let tx = flow_stat.tx(); let rx = flow_stat.rx(); let buf: [u64; 2] = [tx as u64, rx as u64]; let buf = unsafe { slice::from_raw_parts(buf.as_ptr() as *const _, 16) }; match time::timeout(timeout, stream.write_all(buf)).await { Ok(Ok(..)) => {} Ok(Err(err)) => { debug!("send client flow statistic error: {}", err); } Err(..) => { debug!("send client flow statistic error: timeout"); } } } } /// Create then run a Local Server pub async fn run(config: Config) -> io::Result<()> { create(config).await?.run().await }<|fim▁end|>
bind_local_addr: config.outbound_bind_addr, ..Default::default()
<|file_name|>mmdd.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*- from dp_tornado.engine.controller import Controller class MmddController(Controller): def get(self): self.model.tests.helper_test.datetime.switch_timezone('Asia/Seoul') <|fim▁hole|> ms = ts * 1000 dt = self.helper.datetime.convert(timestamp=ts) args_dt = {'datetime': dt} args_ms = {'timestamp': ms, 'ms': True} args_ts = {'timestamp': ts} args_dt_cc = {'datetime': dt, 'concat': ''} args_ms_cc = {'timestamp': ms, 'ms': True, 'concat': '/'} args_ts_cc = {'timestamp': ts, 'concat': '/'} assert(self.render_string('tests/view/ui_methods/mmdd.html', {'args': args_dt}) == '01.02') assert(self.render_string('tests/view/ui_methods/mmdd.html', {'args': args_ms}) == '01.02') assert(self.render_string('tests/view/ui_methods/mmdd.html', {'args': args_ts}) == '01.02') assert(self.render_string('tests/view/ui_methods/mmdd.html', {'args': args_dt_cc}) == '0102') assert(self.render_string('tests/view/ui_methods/mmdd.html', {'args': args_ms_cc}) == '01/02') assert(self.render_string('tests/view/ui_methods/mmdd.html', {'args': args_ts_cc}) == '01/02')<|fim▁end|>
ts = 1451671445
<|file_name|>ImageDescription.js<|end_file_name|><|fim▁begin|>import React, { PropTypes } from 'react'; export default function ImageDesciption({desc, price}) { return ( <div className="text"> <h3>{desc}</h3> <p className="price">{price}</p> </div><|fim▁hole|>}<|fim▁end|>
);
<|file_name|>client.py<|end_file_name|><|fim▁begin|>from tasks import func <|fim▁hole|>func.delay(1, 2)<|fim▁end|>
<|file_name|>docker.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python3 # -*- coding: utf-8 -*- """Tests for the Docker JSON parser.""" import unittest from plaso.lib import definitions from plaso.parsers import docker from tests.parsers import test_lib class DockerJSONUnitTest(test_lib.ParserTestCase): """Tests for the Docker JSON parser.""" def testParseContainerLog(self): """Tests the _ParseContainerLogJSON function.""" container_identifier = ( 'e7d0b7ea5ccf08366e2b0c8afa2318674e8aefe802315378125d2bb83fe3110c') parser = docker.DockerJSONParser() path_segments = [ 'docker', 'containers', container_identifier, 'container-json.log'] storage_writer = self._ParseFile(path_segments, parser) self.assertEqual(storage_writer.number_of_events, 10) self.assertEqual(storage_writer.number_of_extraction_warnings, 0) self.assertEqual(storage_writer.number_of_recovery_warnings, 0) events = list(storage_writer.GetEvents()) expected_timestamps = [ '2016-01-07 16:49:10.000000', '2016-01-07 16:49:10.200000', '2016-01-07 16:49:10.230000', '2016-01-07 16:49:10.237000', '2016-01-07 16:49:10.237200', '2016-01-07 16:49:10.237220', '2016-01-07 16:49:10.237222', '2016-01-07 16:49:10.237222', # losing sub microsec info '2016-01-07 16:49:10.237222', '2016-01-07 16:49:10.237222'] expected_event_values = { 'container_id': container_identifier, 'data_type': 'docker:json:container:log', 'log_line': ( '\x1b]0;root@e7d0b7ea5ccf: ' '/home/plaso\x07root@e7d0b7ea5ccf:/home/plaso# ls\r\n'), 'log_source': 'stdout'} for index, event in enumerate(events): self.CheckTimestamp(event.timestamp, expected_timestamps[index]) self.CheckEventValues(storage_writer, event, expected_event_values) def testParseContainerConfig(self): """Tests the _ParseContainerConfigJSON function.""" container_identifier = ( 'e7d0b7ea5ccf08366e2b0c8afa2318674e8aefe802315378125d2bb83fe3110c') parser = docker.DockerJSONParser() path_segments = [ 'docker', 'containers', container_identifier, 'config.json'] storage_writer = self._ParseFile(path_segments, parser) self.assertEqual(storage_writer.number_of_events, 2) self.assertEqual(storage_writer.number_of_extraction_warnings, 0) self.assertEqual(storage_writer.number_of_recovery_warnings, 0) events = list(storage_writer.GetEvents()) expected_event_values = { 'action': 'Container Started', 'container_id': container_identifier, 'container_name': 'e7d0b7ea5ccf', 'data_type': 'docker:json:container', 'date_time': '2016-01-07 16:49:08.674873'} self.CheckEventValues(storage_writer, events[0], expected_event_values) expected_event_values = { 'action': 'Container Created', 'container_id': container_identifier, 'container_name': 'e7d0b7ea5ccf', 'data_type': 'docker:json:container', 'date_time': '2016-01-07 16:49:08.507979'} self.CheckEventValues(storage_writer, events[1], expected_event_values) def testParseLayerConfig(self): """Tests the _ParseLayerConfigJSON function.""" layer_identifier = ( '3c9a9d7cc6a235eb2de58ca9ef3551c67ae42a991933ba4958d207b29142902b') parser = docker.DockerJSONParser() path_segments = ['docker', 'graph', layer_identifier, 'json'] storage_writer = self._ParseFile(path_segments, parser)<|fim▁hole|> events = list(storage_writer.GetEvents()) expected_event_values = { 'command': ( '/bin/sh -c sed -i \'s/^#\\s*\\(deb.*universe\\)$/\\1/g\' ' '/etc/apt/sources.list'), 'data_type': 'docker:json:layer', 'date_time': '2015-10-12 17:27:03.079273', 'layer_id': layer_identifier, 'timestamp_desc': definitions.TIME_DESCRIPTION_ADDED} self.CheckEventValues(storage_writer, events[0], expected_event_values) if __name__ == '__main__': unittest.main()<|fim▁end|>
self.assertEqual(storage_writer.number_of_events, 1) self.assertEqual(storage_writer.number_of_extraction_warnings, 0) self.assertEqual(storage_writer.number_of_recovery_warnings, 0)
<|file_name|>interface.py<|end_file_name|><|fim▁begin|># Copyright 2012 OpenStack Foundation # All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); you may # not use this file except in compliance with the License. You may obtain # a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, WITHOUT # WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the # License for the specific language governing permissions and limitations # under the License. import abc import time import netaddr from neutron_lib import constants from oslo_log import log as logging import six from neutron.agent.common import ovs_lib from neutron.agent.linux import ip_lib from neutron.common import constants as n_const from neutron.common import exceptions LOG = logging.getLogger(__name__) def _get_veth(name1, name2, namespace2): return (ip_lib.IPDevice(name1), ip_lib.IPDevice(name2, namespace=namespace2)) @six.add_metaclass(abc.ABCMeta) class LinuxInterfaceDriver(object): DEV_NAME_LEN = n_const.LINUX_DEV_LEN DEV_NAME_PREFIX = constants.TAP_DEVICE_PREFIX def __init__(self, conf): self.conf = conf self._mtu_update_warn_logged = False @property def use_gateway_ips(self): """Whether to use gateway IPs instead of unique IP allocations. In each place where the DHCP agent runs, and for each subnet for which DHCP is handling out IP addresses, the DHCP port needs - at the Linux level - to have an IP address within that subnet. Generally this needs to be a unique Neutron-allocated IP address, because the subnet's underlying L2 domain is bridged across multiple compute hosts and network nodes, and for HA there may be multiple DHCP agents running on that same bridged L2 domain. However, if the DHCP ports - on multiple compute/network nodes but for the same network - are _not_ bridged to each other, they do not need each to have a unique IP address. Instead they can all share the same address from the relevant subnet. This works, without creating any ambiguity, because those ports are not all present on the same L2 domain, and because no data within the network is ever sent to that address. (DHCP requests are broadcast, and it is the network's job to ensure that such a broadcast will reach at least one of the available DHCP servers. DHCP responses will be sent _from_ the DHCP port address.) Specifically, for networking backends where it makes sense, the DHCP agent allows all DHCP ports to use the subnet's gateway IP address, and thereby to completely avoid any unique IP address allocation. This behaviour is selected by running the DHCP agent with a configured interface driver whose 'use_gateway_ips' property is True. When an operator deploys Neutron with an interface driver that makes use_gateway_ips True, they should also ensure that a gateway IP address is defined for each DHCP-enabled subnet, and that the gateway IP address doesn't change during the subnet's lifetime. """ return False def init_l3(self, device_name, ip_cidrs, namespace=None, preserve_ips=None, clean_connections=False): """Set the L3 settings for the interface using data from the port. ip_cidrs: list of 'X.X.X.X/YY' strings preserve_ips: list of ip cidrs that should not be removed from device clean_connections: Boolean to indicate if we should cleanup connections associated to removed ips """ preserve_ips = preserve_ips or [] device = ip_lib.IPDevice(device_name, namespace=namespace) # The LLA generated by the operating system is not known to # Neutron, so it would be deleted if we added it to the 'previous' # list here default_ipv6_lla = ip_lib.get_ipv6_lladdr(device.link.address) cidrs = set() remove_ips = set() # normalize all the IP addresses first for ip_cidr in ip_cidrs: net = netaddr.IPNetwork(ip_cidr) # Convert to compact IPv6 address because the return values of # "ip addr list" are compact. if net.version == 6: ip_cidr = str(net) cidrs.add(ip_cidr) # Determine the addresses that must be added and removed for address in device.addr.list(): cidr = address['cidr'] dynamic = address['dynamic'] # skip the IPv6 link-local if cidr == default_ipv6_lla: # it's already configured, leave it alone cidrs.discard(cidr) continue if cidr in preserve_ips: continue # Statically created addresses are OK, dynamically created # addresses must be removed and replaced if cidr in cidrs and not dynamic: cidrs.remove(cidr) continue remove_ips.add(cidr) # Clean up any old addresses. This must be done first since there # could be a dynamic address being replaced with a static one. for ip_cidr in remove_ips: if clean_connections: device.delete_addr_and_conntrack_state(ip_cidr) else: device.addr.delete(ip_cidr) # add any new addresses for ip_cidr in cidrs: device.addr.add(ip_cidr) def init_router_port(self, device_name, ip_cidrs, namespace, preserve_ips=None, extra_subnets=None, clean_connections=False): """Set the L3 settings for a router interface using data from the port. ip_cidrs: list of 'X.X.X.X/YY' strings preserve_ips: list of ip cidrs that should not be removed from device clean_connections: Boolean to indicate if we should cleanup connections associated to removed ips extra_subnets: An iterable of cidrs to add as routes without address """ LOG.debug("init_router_port: device_name(%s), namespace(%s)", device_name, namespace) self.init_l3(device_name=device_name, ip_cidrs=ip_cidrs, namespace=namespace, preserve_ips=preserve_ips or [], clean_connections=clean_connections) device = ip_lib.IPDevice(device_name, namespace=namespace) # Manage on-link routes (routes without an associated address) new_onlink_cidrs = set(s['cidr'] for s in extra_subnets or []) v4_onlink = device.route.list_onlink_routes(constants.IP_VERSION_4) v6_onlink = device.route.list_onlink_routes(constants.IP_VERSION_6) existing_onlink_cidrs = set(r['cidr'] for r in v4_onlink + v6_onlink) for route in new_onlink_cidrs - existing_onlink_cidrs: LOG.debug("adding onlink route(%s)", route) device.route.add_onlink_route(route) for route in (existing_onlink_cidrs - new_onlink_cidrs - set(preserve_ips or [])): LOG.debug("deleting onlink route(%s)", route) device.route.delete_onlink_route(route) def add_ipv6_addr(self, device_name, v6addr, namespace, scope='global'): device = ip_lib.IPDevice(device_name, namespace=namespace) net = netaddr.IPNetwork(v6addr) device.addr.add(str(net), scope) def delete_ipv6_addr(self, device_name, v6addr, namespace): device = ip_lib.IPDevice(device_name, namespace=namespace) device.delete_addr_and_conntrack_state(v6addr) def delete_ipv6_addr_with_prefix(self, device_name, prefix, namespace): """Delete the first listed IPv6 address that falls within a given prefix. """ device = ip_lib.IPDevice(device_name, namespace=namespace) net = netaddr.IPNetwork(prefix) for address in device.addr.list(scope='global', filters=['permanent']): ip_address = netaddr.IPNetwork(address['cidr']) if ip_address in net: device.delete_addr_and_conntrack_state(address['cidr']) break def get_ipv6_llas(self, device_name, namespace): device = ip_lib.IPDevice(device_name, namespace=namespace) return device.addr.list(scope='link', ip_version=6) def check_bridge_exists(self, bridge): if not ip_lib.device_exists(bridge): raise exceptions.BridgeDoesNotExist(bridge=bridge) def get_device_name(self, port): return (self.DEV_NAME_PREFIX + port.id)[:self.DEV_NAME_LEN] def remove_vlan_tag(self, bridge, interface_name): """Remove vlan tag from given interface. This method is necessary only for the case when deprecated option 'external_network_bridge' is used in L3 agent as external gateway port is then created in this external bridge directly and it will have DEAD_VLAN_TAG added by default. """ # TODO(slaweq): remove it when external_network_bridge option will be # removed @staticmethod def configure_ipv6_ra(namespace, dev_name, value): """Configure handling of IPv6 Router Advertisements on an interface. See common/constants.py for possible values. """ cmd = ['net.ipv6.conf.%(dev)s.accept_ra=%(value)s' % {'dev': dev_name, 'value': value}] ip_lib.sysctl(cmd, namespace=namespace) @staticmethod def configure_ipv6_forwarding(namespace, dev_name, enabled): """Configure IPv6 forwarding on an interface.""" cmd = ['net.ipv6.conf.%(dev)s.forwarding=%(enabled)s' % {'dev': dev_name, 'enabled': int(enabled)}] ip_lib.sysctl(cmd, namespace=namespace) @abc.abstractmethod def plug_new(self, network_id, port_id, device_name, mac_address, bridge=None, namespace=None, prefix=None, mtu=None): """Plug in the interface only for new devices that don't exist yet.""" def plug(self, network_id, port_id, device_name, mac_address, bridge=None, namespace=None, prefix=None, mtu=None): if not ip_lib.device_exists(device_name, namespace=namespace): self.plug_new(network_id, port_id, device_name, mac_address, bridge, namespace, prefix, mtu) else: LOG.info("Device %s already exists", device_name) if mtu: self.set_mtu( device_name, mtu, namespace=namespace, prefix=prefix) else: LOG.warning("No MTU configured for port %s", port_id) @abc.abstractmethod def unplug(self, device_name, bridge=None, namespace=None, prefix=None): """Unplug the interface.""" @property def bridged(self): """Whether the DHCP port is bridged to the VM TAP interfaces. When the DHCP port is bridged to the TAP interfaces for the VMs for which it is providing DHCP service - as is the case for most Neutron network implementations - the DHCP server only needs to listen on the DHCP port, and will still receive DHCP requests from all the relevant VMs. If the DHCP port is not bridged to the relevant VM TAP interfaces, the DHCP server needs to listen explicitly on those TAP interfaces, and to treat those as aliases of the DHCP port where the IP subnet is defined. """ return True def set_mtu(self, device_name, mtu, namespace=None, prefix=None): """Set MTU on the interface.""" if not self._mtu_update_warn_logged: LOG.warning("Interface driver cannot update MTU for ports") self._mtu_update_warn_logged = True class NullDriver(LinuxInterfaceDriver): def plug_new(self, network_id, port_id, device_name, mac_address, bridge=None, namespace=None, prefix=None, mtu=None): pass def unplug(self, device_name, bridge=None, namespace=None, prefix=None): pass class OVSInterfaceDriver(LinuxInterfaceDriver): """Driver for creating an internal interface on an OVS bridge.""" DEV_NAME_PREFIX = constants.TAP_DEVICE_PREFIX def __init__(self, conf): super(OVSInterfaceDriver, self).__init__(conf) if self.conf.ovs_use_veth: self.DEV_NAME_PREFIX = 'ns-' def _get_tap_name(self, dev_name, prefix=None): if self.conf.ovs_use_veth: dev_name = dev_name.replace(prefix or self.DEV_NAME_PREFIX, constants.TAP_DEVICE_PREFIX) return dev_name def _ovs_add_port(self, bridge, device_name, port_id, mac_address, internal=True): attrs = [('external_ids', {'iface-id': port_id, 'iface-status': 'active',<|fim▁hole|> ovs = ovs_lib.OVSBridge(bridge) ovs.replace_port(device_name, *attrs) def remove_vlan_tag(self, bridge, interface): ovs = ovs_lib.OVSBridge(bridge) ovs.clear_db_attribute("Port", interface, "tag") def plug_new(self, network_id, port_id, device_name, mac_address, bridge=None, namespace=None, prefix=None, mtu=None): """Plug in the interface.""" if not bridge: bridge = self.conf.ovs_integration_bridge self.check_bridge_exists(bridge) ip = ip_lib.IPWrapper() tap_name = self._get_tap_name(device_name, prefix) if self.conf.ovs_use_veth: # Create ns_dev in a namespace if one is configured. root_dev, ns_dev = ip.add_veth(tap_name, device_name, namespace2=namespace) root_dev.disable_ipv6() else: ns_dev = ip.device(device_name) internal = not self.conf.ovs_use_veth self._ovs_add_port(bridge, tap_name, port_id, mac_address, internal=internal) for i in range(9): # workaround for the OVS shy port syndrome. ports sometimes # hide for a bit right after they are first created. # see bug/1618987 try: ns_dev.link.set_address(mac_address) break except RuntimeError as e: LOG.warning("Got error trying to set mac, retrying: %s", str(e)) time.sleep(1) else: # didn't break, we give it one last shot without catching ns_dev.link.set_address(mac_address) # Add an interface created by ovs to the namespace. if not self.conf.ovs_use_veth and namespace: namespace_obj = ip.ensure_namespace(namespace) namespace_obj.add_device_to_namespace(ns_dev) # NOTE(ihrachys): the order here is significant: we must set MTU after # the device is moved into a namespace, otherwise OVS bridge does not # allow to set MTU that is higher than the least of all device MTUs on # the bridge if mtu: self.set_mtu(device_name, mtu, namespace=namespace, prefix=prefix) else: LOG.warning("No MTU configured for port %s", port_id) ns_dev.link.set_up() if self.conf.ovs_use_veth: root_dev.link.set_up() def unplug(self, device_name, bridge=None, namespace=None, prefix=None): """Unplug the interface.""" if not bridge: bridge = self.conf.ovs_integration_bridge tap_name = self._get_tap_name(device_name, prefix) self.check_bridge_exists(bridge) ovs = ovs_lib.OVSBridge(bridge) try: ovs.delete_port(tap_name) if self.conf.ovs_use_veth: device = ip_lib.IPDevice(device_name, namespace=namespace) device.link.delete() LOG.debug("Unplugged interface '%s'", device_name) except RuntimeError: LOG.error("Failed unplugging interface '%s'", device_name) def set_mtu(self, device_name, mtu, namespace=None, prefix=None): if self.conf.ovs_use_veth: tap_name = self._get_tap_name(device_name, prefix) root_dev, ns_dev = _get_veth( tap_name, device_name, namespace2=namespace) root_dev.link.set_mtu(mtu) else: ns_dev = ip_lib.IPWrapper(namespace=namespace).device(device_name) ns_dev.link.set_mtu(mtu) class BridgeInterfaceDriver(LinuxInterfaceDriver): """Driver for creating bridge interfaces.""" DEV_NAME_PREFIX = 'ns-' def plug_new(self, network_id, port_id, device_name, mac_address, bridge=None, namespace=None, prefix=None, mtu=None): """Plugin the interface.""" ip = ip_lib.IPWrapper() # Enable agent to define the prefix tap_name = device_name.replace(prefix or self.DEV_NAME_PREFIX, constants.TAP_DEVICE_PREFIX) # Create ns_veth in a namespace if one is configured. root_veth, ns_veth = ip.add_veth(tap_name, device_name, namespace2=namespace) root_veth.disable_ipv6() ns_veth.link.set_address(mac_address) if mtu: self.set_mtu(device_name, mtu, namespace=namespace, prefix=prefix) else: LOG.warning("No MTU configured for port %s", port_id) root_veth.link.set_up() ns_veth.link.set_up() def unplug(self, device_name, bridge=None, namespace=None, prefix=None): """Unplug the interface.""" device = ip_lib.IPDevice(device_name, namespace=namespace) try: device.link.delete() LOG.debug("Unplugged interface '%s'", device_name) except RuntimeError: LOG.error("Failed unplugging interface '%s'", device_name) def set_mtu(self, device_name, mtu, namespace=None, prefix=None): tap_name = device_name.replace(prefix or self.DEV_NAME_PREFIX, constants.TAP_DEVICE_PREFIX) root_dev, ns_dev = _get_veth( tap_name, device_name, namespace2=namespace) root_dev.link.set_mtu(mtu) ns_dev.link.set_mtu(mtu)<|fim▁end|>
'attached-mac': mac_address})] if internal: attrs.insert(0, ('type', 'internal'))
<|file_name|>QuickMenu.py<|end_file_name|><|fim▁begin|>from enigma import eListboxPythonMultiContent, gFont, eEnv, getBoxType from boxbranding import getMachineBrand, getMachineName from Components.ActionMap import ActionMap from Components.Label import Label from Components.Pixmap import Pixmap from Components.MenuList import MenuList from Components.MultiContent import MultiContentEntryText, MultiContentEntryPixmapAlphaTest from Components.Network import iNetwork from Components.NimManager import nimmanager from Components.SystemInfo import SystemInfo from Screens.Screen import Screen from Screens.NetworkSetup import * from Screens.About import About from Screens.PluginBrowser import PluginDownloadBrowser, PluginFilter, PluginBrowser from Screens.LanguageSelection import LanguageSelection from Screens.Satconfig import NimSelection from Screens.ScanSetup import ScanSimple, ScanSetup from Screens.Setup import Setup, getSetupTitle from Screens.HarddiskSetup import HarddiskSelection, HarddiskFsckSelection, HarddiskConvertExt4Selection from Screens.SkinSelector import LcdSkinSelector from Screens.VideoMode import VideoSetup from Plugins.Plugin import PluginDescriptor from Plugins.SystemPlugins.Satfinder.plugin import Satfinder from Plugins.SystemPlugins.NetworkBrowser.MountManager import AutoMountManager from Plugins.SystemPlugins.NetworkBrowser.NetworkBrowser import NetworkBrowser from Plugins.SystemPlugins.NetworkWizard.NetworkWizard import NetworkWizard from Plugins.Extensions.ExtrasPanel.RestartNetwork import RestartNetwork from Plugins.Extensions.ExtrasPanel.MountManager import HddMount from Plugins.Extensions.ExtrasPanel.SoftcamPanel import * from Plugins.Extensions.ExtrasPanel.SoftwarePanel import SoftwarePanel from Plugins.SystemPlugins.SoftwareManager.Flash_online import FlashOnline from Plugins.SystemPlugins.SoftwareManager.ImageBackup import ImageBackup from Plugins.SystemPlugins.SoftwareManager.plugin import UpdatePlugin, SoftwareManagerSetup from Plugins.SystemPlugins.SoftwareManager.BackupRestore import BackupScreen, RestoreScreen, BackupSelection, getBackupPath, getOldBackupPath, getBackupFilename from Tools.Directories import resolveFilename, SCOPE_PLUGINS, SCOPE_SKIN_IMAGE, SCOPE_SKIN from Tools.LoadPixmap import LoadPixmap from os import path, listdir from time import sleep from re import search import NavigationInstance plugin_path_networkbrowser = eEnv.resolve("${libdir}/enigma2/python/Plugins/SystemPlugins/NetworkBrowser") if path.exists("/usr/lib/enigma2/python/Plugins/Extensions/AudioSync"): from Plugins.Extensions.AudioSync.AC3setup import AC3LipSyncSetup plugin_path_audiosync = eEnv.resolve("${libdir}/enigma2/python/Plugins/Extensions/AudioSync") AUDIOSYNC = True else: AUDIOSYNC = False if path.exists("/usr/lib/enigma2/python/Plugins/SystemPlugins/VideoEnhancement/plugin.pyo"): from Plugins.SystemPlugins.VideoEnhancement.plugin import VideoEnhancementSetup VIDEOENH = True<|fim▁hole|> if path.exists("/usr/lib/enigma2/python/Plugins/Extensions/dFlash"): from Plugins.Extensions.dFlash.plugin import dFlash DFLASH = True else: DFLASH = False if path.exists("/usr/lib/enigma2/python/Plugins/SystemPlugins/PositionerSetup/plugin.pyo"): from Plugins.SystemPlugins.PositionerSetup.plugin import PositionerSetup, RotorNimSelection POSSETUP = True else: POSSETUP = False def isFileSystemSupported(filesystem): try: for fs in open('/proc/filesystems', 'r'): if fs.strip().endswith(filesystem): return True return False except Exception, ex: print "[Harddisk] Failed to read /proc/filesystems:", ex def Check_Softcam(): found = False for x in listdir('/etc'): if x.find('.emu') > -1: found = True break; return found class QuickMenu(Screen): skin = """ <screen name="QuickMenu" position="center,center" size="1180,600" backgroundColor="black" flags="wfBorder"> <widget name="list" position="21,32" size="370,400" backgroundColor="black" itemHeight="50" transparent="1" /> <widget name="sublist" position="410,32" size="300,400" backgroundColor="black" itemHeight="50" /> <eLabel position="400,30" size="2,400" backgroundColor="darkgrey" zPosition="3" /> <widget source="session.VideoPicture" render="Pig" position="720,30" size="450,300" backgroundColor="transparent" zPosition="1" /> <widget name="description" position="22,445" size="1150,110" zPosition="1" font="Regular;22" halign="center" backgroundColor="black" transparent="1" /> <widget name="key_red" position="20,571" size="300,26" zPosition="1" font="Regular;22" halign="center" foregroundColor="white" backgroundColor="black" transparent="1" /> <widget name="key_green" position="325,571" size="300,26" zPosition="1" font="Regular;22" halign="center" foregroundColor="white" backgroundColor="black" transparent="1" /> <widget name="key_yellow" position="630,571" size="300,26" zPosition="1" font="Regular;22" halign="center" foregroundColor="white" backgroundColor="black" transparent="1" valign="center" /> <widget name="key_blue" position="935,571" size="234,26" zPosition="1" font="Regular;22" halign="center" foregroundColor="white" backgroundColor="black" transparent="1" /> <eLabel name="new eLabel" position="21,567" size="300,3" zPosition="3" backgroundColor="red" /> <eLabel name="new eLabel" position="325,567" size="300,3" zPosition="3" backgroundColor="green" /> <eLabel name="new eLabel" position="630,567" size="300,3" zPosition="3" backgroundColor="yellow" /> <eLabel name="new eLabel" position="935,567" size="234,3" zPosition="3" backgroundColor="blue" /> </screen> """ def __init__(self, session): Screen.__init__(self, session) Screen.setTitle(self, _("Quick Launch Menu")) self["key_red"] = Label(_("Exit")) self["key_green"] = Label(_("System Info")) self["key_yellow"] = Label(_("Devices")) self["key_blue"] = Label() self["description"] = Label() self.menu = 0 self.list = [] self["list"] = QuickMenuList(self.list) self.sublist = [] self["sublist"] = QuickMenuSubList(self.sublist) self.selectedList = [] self.onChangedEntry = [] self["list"].onSelectionChanged.append(self.selectionChanged) self["sublist"].onSelectionChanged.append(self.selectionSubChanged) self["actions"] = ActionMap(["SetupActions","WizardActions","MenuActions","MoviePlayerActions"], { "ok": self.ok, "back": self.keyred, "cancel": self.keyred, "left": self.goLeft, "right": self.goRight, "up": self.goUp, "down": self.goDown, }, -1) self["ColorActions"] = HelpableActionMap(self, "ColorActions", { "red": self.keyred, "green": self.keygreen, "yellow": self.keyyellow, }) self.MainQmenu() self.selectedList = self["list"] self.selectionChanged() self.onLayoutFinish.append(self.layoutFinished) def layoutFinished(self): self["sublist"].selectionEnabled(0) def selectionChanged(self): if self.selectedList == self["list"]: item = self["list"].getCurrent() if item: self["description"].setText(_(item[4])) self.okList() def selectionSubChanged(self): if self.selectedList == self["sublist"]: item = self["sublist"].getCurrent() if item: self["description"].setText(_(item[3])) def goLeft(self): if self.menu <> 0: self.menu = 0 self.selectedList = self["list"] self["list"].selectionEnabled(1) self["sublist"].selectionEnabled(0) self.selectionChanged() def goRight(self): if self.menu == 0: self.menu = 1 self.selectedList = self["sublist"] self["sublist"].moveToIndex(0) self["list"].selectionEnabled(0) self["sublist"].selectionEnabled(1) self.selectionSubChanged() def goUp(self): self.selectedList.up() def goDown(self): self.selectedList.down() def keyred(self): self.close() def keygreen(self): self.session.open(About) def keyyellow(self): self.session.open(QuickMenuDevices) ######## Main Menu ############################## def MainQmenu(self): self.menu = 0 self.list = [] self.oldlist = [] self.list.append(QuickMenuEntryComponent("Software Manager",_("Update/Backup/Restore your box"),_("Update/Backup your firmware, Backup/Restore settings"))) if Check_Softcam(): self.list.append(QuickMenuEntryComponent("Softcam",_("Start/stop/select cam"),_("Start/stop/select your cam, You need to install first a softcam"))) self.list.append(QuickMenuEntryComponent("System",_("System Setup"),_("Setup your System"))) self.list.append(QuickMenuEntryComponent("Mounts",_("Mount Setup"),_("Setup your mounts for network"))) self.list.append(QuickMenuEntryComponent("Network",_("Setup your local network"),_("Setup your local network. For Wlan you need to boot with a USB-Wlan stick"))) self.list.append(QuickMenuEntryComponent("AV Setup",_("Setup Videomode"),_("Setup your Video Mode, Video Output and other Video Settings"))) self.list.append(QuickMenuEntryComponent("Tuner Setup",_("Setup Tuner"),_("Setup your Tuner and search for channels"))) self.list.append(QuickMenuEntryComponent("Plugins",_("Download plugins"),_("Shows available pluigns. Here you can download and install them"))) self.list.append(QuickMenuEntryComponent("Harddisk",_("Harddisk Setup"),_("Setup your Harddisk"))) self["list"].l.setList(self.list) ######## System Setup Menu ############################## def Qsystem(self): self.sublist = [] self.sublist.append(QuickSubMenuEntryComponent("Customise",_("Setup Enigma2"),_("Customise enigma2 personal settings"))) self.sublist.append(QuickSubMenuEntryComponent("OSD settings",_("Settings..."),_("Setup your OSD"))) self.sublist.append(QuickSubMenuEntryComponent("Button Setup",_("Button Setup"),_("Setup your remote buttons"))) if SystemInfo["FrontpanelDisplay"] and SystemInfo["Display"]: self.sublist.append(QuickSubMenuEntryComponent("Display Settings",_("Display Setup"),_("Setup your display"))) if SystemInfo["LcdDisplay"]: self.sublist.append(QuickSubMenuEntryComponent("LCD Skin Setup",_("Skin Setup"),_("Setup your LCD"))) self.sublist.append(QuickSubMenuEntryComponent("Channel selection",_("Channel selection configuration"),_("Setup your Channel selection configuration"))) self.sublist.append(QuickSubMenuEntryComponent("Recording settings",_("Recording Setup"),_("Setup your recording config"))) self.sublist.append(QuickSubMenuEntryComponent("EPG settings",_("EPG Setup"),_("Setup your EPG config"))) self["sublist"].l.setList(self.sublist) ######## Network Menu ############################## def Qnetwork(self): self.sublist = [] self.sublist.append(QuickSubMenuEntryComponent("Network Wizard",_("Configure your Network"),_("Use the Networkwizard to configure your Network. The wizard will help you to setup your network"))) if len(self.adapters) > 1: # show only adapter selection if more as 1 adapter is installed self.sublist.append(QuickSubMenuEntryComponent("Network Adapter Selection",_("Select Lan/Wlan"),_("Setup your network interface. If no Wlan stick is used, you only can select Lan"))) if not self.activeInterface == None: # show only if there is already a adapter up self.sublist.append(QuickSubMenuEntryComponent("Network Interface",_("Setup interface"),_("Setup network. Here you can setup DHCP, IP, DNS"))) self.sublist.append(QuickSubMenuEntryComponent("Network Restart",_("Restart network to with current setup"),_("Restart network and remount connections"))) self.sublist.append(QuickSubMenuEntryComponent("Network Services",_("Setup Network Services"),_("Setup Network Services (Samba, Ftp, NFS, ...)"))) self["sublist"].l.setList(self.sublist) #### Network Services Menu ############################## def Qnetworkservices(self): self.sublist = [] self.sublist.append(QuickSubMenuEntryComponent("Samba",_("Setup Samba"),_("Setup Samba"))) self.sublist.append(QuickSubMenuEntryComponent("NFS",_("Setup NFS"),_("Setup NFS"))) self.sublist.append(QuickSubMenuEntryComponent("FTP",_("Setup FTP"),_("Setup FTP"))) self.sublist.append(QuickSubMenuEntryComponent("AFP",_("Setup AFP"),_("Setup AFP"))) self.sublist.append(QuickSubMenuEntryComponent("OpenVPN",_("Setup OpenVPN"),_("Setup OpenVPN"))) self.sublist.append(QuickSubMenuEntryComponent("MiniDLNA",_("Setup MiniDLNA"),_("Setup MiniDLNA"))) self.sublist.append(QuickSubMenuEntryComponent("Inadyn",_("Setup Inadyn"),_("Setup Inadyn"))) self.sublist.append(QuickSubMenuEntryComponent("SABnzbd",_("Setup SABnzbd"),_("Setup SABnzbd"))) self.sublist.append(QuickSubMenuEntryComponent("uShare",_("Setup uShare"),_("Setup uShare"))) self.sublist.append(QuickSubMenuEntryComponent("Telnet",_("Setup Telnet"),_("Setup Telnet"))) self["sublist"].l.setList(self.sublist) ######## Mount Settings Menu ############################## def Qmount(self): self.sublist = [] self.sublist.append(QuickSubMenuEntryComponent("Mount Manager",_("Manage network mounts"),_("Setup your network mounts"))) self.sublist.append(QuickSubMenuEntryComponent("Network Browser",_("Search for network shares"),_("Search for network shares"))) self.sublist.append(QuickSubMenuEntryComponent("Device Manager",_("Mounts Devices"),_("Setup your Device mounts (USB, HDD, others...)"))) self["sublist"].l.setList(self.sublist) ######## Softcam Menu ############################## def Qsoftcam(self): self.sublist = [] if Check_Softcam(): # show only when there is a softcam installed self.sublist.append(QuickSubMenuEntryComponent("Softcam Panel",_("Control your Softcams"),_("Use the Softcam Panel to control your Cam. This let you start/stop/select a cam"))) self.sublist.append(QuickSubMenuEntryComponent("Download Softcams",_("Download and install cam"),_("Shows available softcams. Here you can download and install them"))) self["sublist"].l.setList(self.sublist) ######## A/V Settings Menu ############################## def Qavsetup(self): self.sublist = [] self.sublist.append(QuickSubMenuEntryComponent("AV Settings",_("Setup Videomode"),_("Setup your Video Mode, Video Output and other Video Settings"))) if AUDIOSYNC == True: self.sublist.append(QuickSubMenuEntryComponent("Audio Sync",_("Setup Audio Sync"),_("Setup Audio Sync settings"))) self.sublist.append(QuickSubMenuEntryComponent("Auto Language",_("Auto Language Selection"),_("Select your Language for Audio/Subtitles"))) if os_path.exists("/proc/stb/vmpeg/0/pep_apply") and VIDEOENH == True: self.sublist.append(QuickSubMenuEntryComponent("VideoEnhancement",_("VideoEnhancement Setup"),_("VideoEnhancement Setup"))) self["sublist"].l.setList(self.sublist) ######## Tuner Menu ############################## def Qtuner(self): self.sublist = [] self.sublist.append(QuickSubMenuEntryComponent("Tuner Configuration",_("Setup tuner(s)"),_("Setup each tuner for your satellite system"))) if POSSETUP == True: self.sublist.append(QuickSubMenuEntryComponent("Positioner Setup",_("Setup rotor"),_("Setup your positioner for your satellite system"))) self.sublist.append(QuickSubMenuEntryComponent("Automatic Scan",_("Service Searching"),_("Automatic scan for services"))) self.sublist.append(QuickSubMenuEntryComponent("Manual Scan",_("Service Searching"),_("Manual scan for services"))) self.sublist.append(QuickSubMenuEntryComponent("Sat Finder",_("Search Sats"),_("Search Sats, check signal and lock"))) self["sublist"].l.setList(self.sublist) ######## Software Manager Menu ############################## def Qsoftware(self): self.sublist = [] self.sublist.append(QuickSubMenuEntryComponent("Software Update",_("Online software update"),_("Check/Install online updates (you must have a working internet connection)"))) if not getBoxType().startswith('az') and not getBoxType().startswith('dream') and not getBoxType().startswith('ebox'): self.sublist.append(QuickSubMenuEntryComponent("Flash Online",_("Flash Online a new image"),_("Flash on the fly your your Receiver software."))) self.sublist.append(QuickSubMenuEntryComponent("Complete Backup",_("Backup your current image"),_("Backup your current image to HDD or USB. This will make a 1:1 copy of your box"))) self.sublist.append(QuickSubMenuEntryComponent("Backup Settings",_("Backup your current settings"),_("Backup your current settings. This includes E2-setup, channels, network and all selected files"))) self.sublist.append(QuickSubMenuEntryComponent("Restore Settings",_("Restore settings from a backup"),_("Restore your settings back from a backup. After restore the box will restart to activated the new settings"))) self.sublist.append(QuickSubMenuEntryComponent("Select Backup files",_("Choose the files to backup"),_("Here you can select which files should be added to backupfile. (default: E2-setup, channels, network"))) self.sublist.append(QuickSubMenuEntryComponent("Software Manager Setup",_("Manage your online update files"),_("Here you can select which files should be updated with a online update"))) self["sublist"].l.setList(self.sublist) ######## Plugins Menu ############################## def Qplugin(self): self.sublist = [] self.sublist.append(QuickSubMenuEntryComponent("Plugin Browser",_("Open the Plugin Browser"),_("Shows Plugins Browser. Here you can setup installed Plugin"))) self.sublist.append(QuickSubMenuEntryComponent("Download Plugins",_("Download and install Plugins"),_("Shows available plugins. Here you can download and install them"))) self.sublist.append(QuickSubMenuEntryComponent("Remove Plugins",_("Delete Plugins"),_("Delete and unstall Plugins. This will remove the Plugin from your box"))) self.sublist.append(QuickSubMenuEntryComponent("Plugin Filter",_("Setup Plugin filter"),_("Setup Plugin filter. Here you can select which Plugins are showed in the PluginBrowser"))) self.sublist.append(QuickSubMenuEntryComponent("IPK Installer",_("Install local extension"),_("Scan for local extensions and install them"))) self["sublist"].l.setList(self.sublist) ######## Harddisk Menu ############################## def Qharddisk(self): self.sublist = [] self.sublist.append(QuickSubMenuEntryComponent("Harddisk Setup",_("Harddisk Setup"),_("Setup your Harddisk"))) self.sublist.append(QuickSubMenuEntryComponent("Initialization",_("Format HDD"),_("Format your Harddisk"))) self.sublist.append(QuickSubMenuEntryComponent("Filesystem Check",_("Check HDD"),_("Filesystem check your Harddisk"))) if isFileSystemSupported("ext4"): self.sublist.append(QuickSubMenuEntryComponent("Convert ext3 to ext4",_("Convert filesystem ext3 to ext4"),_("Convert filesystem ext3 to ext4"))) self["sublist"].l.setList(self.sublist) def ok(self): if self.menu > 0: self.okSubList() else: self.goRight() ##################################################################### ######## Make Selection MAIN MENU LIST ############################## ##################################################################### def okList(self): item = self["list"].getCurrent() ######## Select Network Menu ############################## if item[0] == _("Network"): self.GetNetworkInterfaces() self.Qnetwork() ######## Select System Setup Menu ############################## elif item[0] == _("System"): self.Qsystem() ######## Select Mount Menu ############################## elif item[0] == _("Mounts"): self.Qmount() ######## Select Softcam Menu ############################## elif item[0] == _("Softcam"): self.Qsoftcam() ######## Select AV Setup Menu ############################## elif item[0] == _("AV Setup"): self.Qavsetup() ######## Select Tuner Setup Menu ############################## elif item[0] == _("Tuner Setup"): self.Qtuner() ######## Select Software Manager Menu ############################## elif item[0] == _("Software Manager"): self.Qsoftware() ######## Select PluginDownloadBrowser Menu ############################## elif item[0] == _("Plugins"): self.Qplugin() ######## Select Tuner Setup Menu ############################## elif item[0] == _("Harddisk"): self.Qharddisk() self["sublist"].selectionEnabled(0) ##################################################################### ######## Make Selection SUB MENU LIST ############################## ##################################################################### def okSubList(self): item = self["sublist"].getCurrent() ######## Select Network Menu ############################## if item[0] == _("Network Wizard"): self.session.open(NetworkWizard) elif item[0] == _("Network Adapter Selection"): self.session.open(NetworkAdapterSelection) elif item[0] == _("Network Interface"): self.session.open(AdapterSetup,self.activeInterface) elif item[0] == _("Network Restart"): self.session.open(RestartNetwork) elif item[0] == _("Network Services"): self.Qnetworkservices() self["sublist"].moveToIndex(0) elif item[0] == _("Samba"): self.session.open(NetworkSamba) elif item[0] == _("NFS"): self.session.open(NetworkNfs) elif item[0] == _("FTP"): self.session.open(NetworkFtp) elif item[0] == _("AFP"): self.session.open(NetworkAfp) elif item[0] == _("OpenVPN"): self.session.open(NetworkOpenvpn) elif item[0] == _("MiniDLNA"): self.session.open(NetworkMiniDLNA) elif item[0] == _("Inadyn"): self.session.open(NetworkInadyn) elif item[0] == _("SABnzbd"): self.session.open(NetworkSABnzbd) elif item[0] == _("uShare"): self.session.open(NetworkuShare) elif item[0] == _("Telnet"): self.session.open(NetworkTelnet) ######## Select System Setup Menu ############################## elif item[0] == _("Customise"): self.openSetup("usage") elif item[0] == _("Button Setup"): self.openSetup("remotesetup") elif item[0] == _("Display Settings"): self.openSetup("display") elif item[0] == _("LCD Skin Setup"): self.session.open(LcdSkinSelector) elif item[0] == _("OSD settings"): self.openSetup("userinterface") elif item[0] == _("Channel selection"): self.openSetup("channelselection") elif item[0] == _("Recording settings"): self.openSetup("recording") elif item[0] == _("EPG settings"): self.openSetup("epgsettings") ######## Select Mounts Menu ############################## elif item[0] == _("Mount Manager"): self.session.open(AutoMountManager, None, plugin_path_networkbrowser) elif item[0] == _("Network Browser"): self.session.open(NetworkBrowser, None, plugin_path_networkbrowser) elif item[0] == _("Device Manager"): self.session.open(HddMount) ######## Select Softcam Menu ############################## elif item[0] == _("Softcam Panel"): self.session.open(SoftcamPanel) elif item[0] == _("Download Softcams"): self.session.open(ShowSoftcamPackages) ######## Select AV Setup Menu ############################## elif item[0] == _("AV Settings"): self.session.open(VideoSetup) elif item[0] == _("Auto Language"): self.openSetup("autolanguagesetup") elif item[0] == _("Audio Sync"): self.session.open(AC3LipSyncSetup, plugin_path_audiosync) elif item[0] == _("VideoEnhancement"): self.session.open(VideoEnhancementSetup) ######## Select TUNER Setup Menu ############################## elif item[0] == _("Tuner Configuration"): self.session.open(NimSelection) elif item[0] == _("Positioner Setup"): self.PositionerMain() elif item[0] == _("Automatic Scan"): self.session.open(ScanSimple) elif item[0] == _("Manual Scan"): self.session.open(ScanSetup) elif item[0] == _("Sat Finder"): self.SatfinderMain() ######## Select Software Manager Menu ############################## elif item[0] == _("Software Update"): self.session.open(SoftwarePanel) elif item[0] == _("Flash Online"): self.session.open(FlashOnline) elif item[0] == _("Complete Backup"): if DFLASH == True: self.session.open(dFlash) else: self.session.open(ImageBackup) elif item[0] == _("Backup Settings"): self.session.openWithCallback(self.backupDone,BackupScreen, runBackup = True) elif item[0] == _("Restore Settings"): self.backuppath = getBackupPath() if not path.isdir(self.backuppath): self.backuppath = getOldBackupPath() self.backupfile = getBackupFilename() self.fullbackupfilename = self.backuppath + "/" + self.backupfile if os_path.exists(self.fullbackupfilename): self.session.openWithCallback(self.startRestore, MessageBox, _("Are you sure you want to restore your %s %s backup?\nSTB will restart after the restore") % (getMachineBrand(), getMachineName())) else: self.session.open(MessageBox, _("Sorry no backups found!"), MessageBox.TYPE_INFO, timeout = 10) elif item[0] == _("Select Backup files"): self.session.openWithCallback(self.backupfiles_choosen,BackupSelection) elif item[0] == _("Software Manager Setup"): self.session.open(SoftwareManagerSetup) ######## Select PluginDownloadBrowser Menu ############################## elif item[0] == _("Plugin Browser"): self.session.open(PluginBrowser) elif item[0] == _("Download Plugins"): self.session.open(PluginDownloadBrowser, 0) elif item[0] == _("Remove Plugins"): self.session.open(PluginDownloadBrowser, 1) elif item[0] == _("Plugin Filter"): self.session.open(PluginFilter) elif item[0] == _("IPK Installer"): try: from Plugins.Extensions.MediaScanner.plugin import main main(self.session) except: self.session.open(MessageBox, _("Sorry MediaScanner is not installed!"), MessageBox.TYPE_INFO, timeout = 10) ######## Select Harddisk Menu ############################################ elif item[0] == _("Harddisk Setup"): self.openSetup("harddisk") elif item[0] == _("Initialization"): self.session.open(HarddiskSelection) elif item[0] == _("Filesystem Check"): self.session.open(HarddiskFsckSelection) elif item[0] == _("Convert ext3 to ext4"): self.session.open(HarddiskConvertExt4Selection) ######## OPEN SETUP MENUS #################### def openSetup(self, dialog): self.session.openWithCallback(self.menuClosed, Setup, dialog) def menuClosed(self, *res): pass ######## NETWORK TOOLS ####################### def GetNetworkInterfaces(self): self.adapters = [(iNetwork.getFriendlyAdapterName(x),x) for x in iNetwork.getAdapterList()] if not self.adapters: self.adapters = [(iNetwork.getFriendlyAdapterName(x),x) for x in iNetwork.getConfiguredAdapters()] if len(self.adapters) == 0: self.adapters = [(iNetwork.getFriendlyAdapterName(x),x) for x in iNetwork.getInstalledAdapters()] self.activeInterface = None for x in self.adapters: if iNetwork.getAdapterAttribute(x[1], 'up') is True: self.activeInterface = x[1] return ######## TUNER TOOLS ####################### def PositionerMain(self): nimList = nimmanager.getNimListOfType("DVB-S") if len(nimList) == 0: self.session.open(MessageBox, _("No positioner capable frontend found."), MessageBox.TYPE_ERROR) else: if len(NavigationInstance.instance.getRecordings()) > 0: self.session.open(MessageBox, _("A recording is currently running. Please stop the recording before trying to configure the positioner."), MessageBox.TYPE_ERROR) else: usableNims = [] for x in nimList: configured_rotor_sats = nimmanager.getRotorSatListForNim(x) if len(configured_rotor_sats) != 0: usableNims.append(x) if len(usableNims) == 1: self.session.open(PositionerSetup, usableNims[0]) elif len(usableNims) > 1: self.session.open(RotorNimSelection) else: self.session.open(MessageBox, _("No tuner is configured for use with a diseqc positioner!"), MessageBox.TYPE_ERROR) def SatfinderMain(self): nims = nimmanager.getNimListOfType("DVB-S") nimList = [] for x in nims: if not nimmanager.getNimConfig(x).configMode.getValue() in ("loopthrough", "satposdepends", "nothing"): nimList.append(x) if len(nimList) == 0: self.session.open(MessageBox, _("No satellite frontend found!!"), MessageBox.TYPE_ERROR) else: if len(NavigationInstance.instance.getRecordings()) > 0: self.session.open(MessageBox, _("A recording is currently running. Please stop the recording before trying to start the satfinder."), MessageBox.TYPE_ERROR) else: self.session.open(Satfinder) ######## SOFTWARE MANAGER TOOLS ####################### def backupfiles_choosen(self, ret): config.plugins.configurationbackup.backupdirs.save() config.plugins.configurationbackup.save() config.save() def backupDone(self,retval = None): if retval is True: self.session.open(MessageBox, _("Backup done."), MessageBox.TYPE_INFO, timeout = 10) else: self.session.open(MessageBox, _("Backup failed."), MessageBox.TYPE_INFO, timeout = 10) def startRestore(self, ret = False): if (ret == True): self.exe = True self.session.open(RestoreScreen, runRestore = True) ######## Create MENULIST format ####################### def QuickMenuEntryComponent(name, description, long_description = None, width=540): pngname = name.replace(" ","_") png = LoadPixmap("/usr/lib/enigma2/python/Plugins/Extensions/ExtrasPanel/icons/" + pngname + ".png") if png is None: png = LoadPixmap("/usr/lib/enigma2/python/Plugins/Extensions/ExtrasPanel/icons/default.png") return [ _(name), MultiContentEntryText(pos=(120, 5), size=(width-120, 25), font=0, text = _(name)), MultiContentEntryText(pos=(120, 26), size=(width-120, 17), font=1, text = _(description)), MultiContentEntryPixmapAlphaTest(pos=(10, 5), size=(100, 40), png = png), _(long_description), ] def QuickSubMenuEntryComponent(name, description, long_description = None, width=540): return [ _(name), MultiContentEntryText(pos=(10, 5), size=(width-10, 25), font=0, text = _(name)), MultiContentEntryText(pos=(10, 26), size=(width-10, 17), font=1, text = _(description)), _(long_description), ] class QuickMenuList(MenuList): def __init__(self, list, enableWrapAround=True): MenuList.__init__(self, list, enableWrapAround, eListboxPythonMultiContent) self.l.setFont(0, gFont("Regular", 20)) self.l.setFont(1, gFont("Regular", 14)) self.l.setItemHeight(50) class QuickMenuSubList(MenuList): def __init__(self, sublist, enableWrapAround=True): MenuList.__init__(self, sublist, enableWrapAround, eListboxPythonMultiContent) self.l.setFont(0, gFont("Regular", 20)) self.l.setFont(1, gFont("Regular", 14)) self.l.setItemHeight(50) class QuickMenuDevices(Screen): skin = """ <screen name="QuickMenuDevices" position="center,center" size="840,525" title="Devices" flags="wfBorder"> <widget source="devicelist" render="Listbox" position="30,46" size="780,450" font="Regular;16" scrollbarMode="showOnDemand" transparent="1" backgroundColorSelected="grey" foregroundColorSelected="black"> <convert type="TemplatedMultiContent"> {"template": [ MultiContentEntryText(pos = (90, 0), size = (600, 30), font=0, text = 0), MultiContentEntryText(pos = (110, 30), size = (600, 50), font=1, flags = RT_VALIGN_TOP, text = 1), MultiContentEntryPixmapAlphaBlend(pos = (0, 0), size = (80, 80), png = 2), ], "fonts": [gFont("Regular", 24),gFont("Regular", 20)], "itemHeight": 85 } </convert> </widget> <widget name="lab1" zPosition="2" position="126,92" size="600,40" font="Regular;22" halign="center" backgroundColor="black" transparent="1" /> </screen> """ def __init__(self, session): Screen.__init__(self, session) Screen.setTitle(self, _("Devices")) self['lab1'] = Label() self.devicelist = [] self['devicelist'] = List(self.devicelist) self['actions'] = ActionMap(['WizardActions'], { 'back': self.close, }) self.activityTimer = eTimer() self.activityTimer.timeout.get().append(self.updateList2) self.updateList() def updateList(self, result = None, retval = None, extra_args = None): scanning = _("Wait please while scanning for devices...") self['lab1'].setText(scanning) self.activityTimer.start(10) def updateList2(self): self.activityTimer.stop() self.devicelist = [] list2 = [] f = open('/proc/partitions', 'r') for line in f.readlines(): parts = line.strip().split() if not parts: continue device = parts[3] if not search('sd[a-z][1-9]',device): continue if device in list2: continue self.buildMy_rec(device) list2.append(device) f.close() self['devicelist'].list = self.devicelist if len(self.devicelist) == 0: self['lab1'].setText(_("No Devices Found !!")) else: self['lab1'].hide() def buildMy_rec(self, device): try: if device.find('1') > 0: device2 = device.replace('1', '') except: device2 = '' try: if device.find('2') > 0: device2 = device.replace('2', '') except: device2 = '' try: if device.find('3') > 0: device2 = device.replace('3', '') except: device2 = '' try: if device.find('4') > 0: device2 = device.replace('4', '') except: device2 = '' devicetype = path.realpath('/sys/block/' + device2 + '/device') d2 = device name = 'USB: ' mypixmap = '/usr/lib/enigma2/python/Plugins/Extensions/ExtrasPanel/icons/dev_usbstick.png' model = file('/sys/block/' + device2 + '/device/model').read() model = str(model).replace('\n', '') des = '' if devicetype.find('/devices/pci') != -1: name = _("HARD DISK: ") mypixmap = '/usr/lib/enigma2/python/Plugins/Extensions/ExtrasPanel/icons/dev_hdd.png' name = name + model from Components.Console import Console self.Console = Console() self.Console.ePopen("sfdisk -l /dev/sd? | grep swap | awk '{print $(NF-9)}' >/tmp/devices.tmp") sleep(0.5) f = open('/tmp/devices.tmp', 'r') swapdevices = f.read() f.close() swapdevices = swapdevices.replace('\n','') swapdevices = swapdevices.split('/') f = open('/proc/mounts', 'r') for line in f.readlines(): if line.find(device) != -1: parts = line.strip().split() d1 = parts[1] dtype = parts[2] rw = parts[3] break continue else: if device in swapdevices: parts = line.strip().split() d1 = _("None") dtype = 'swap' rw = _("None") break continue else: d1 = _("None") dtype = _("unavailable") rw = _("None") f.close() f = open('/proc/partitions', 'r') for line in f.readlines(): if line.find(device) != -1: parts = line.strip().split() size = int(parts[2]) if ((size / 1024) / 1024) > 1: des = _("Size: ") + str((size / 1024) / 1024) + _("GB") else: des = _("Size: ") + str(size / 1024) + _("MB") else: try: size = file('/sys/block/' + device2 + '/' + device + '/size').read() size = str(size).replace('\n', '') size = int(size) except: size = 0 if (((size / 2) / 1024) / 1024) > 1: des = _("Size: ") + str(((size / 2) / 1024) / 1024) + _("GB") else: des = _("Size: ") + str((size / 2) / 1024) + _("MB") f.close() if des != '': if rw.startswith('rw'): rw = ' R/W' elif rw.startswith('ro'): rw = ' R/O' else: rw = "" des += '\t' + _("Mount: ") + d1 + '\n' + _("Device: ") + ' /dev/' + device + '\t' + _("Type: ") + dtype + rw png = LoadPixmap(mypixmap) res = (name, des, png) self.devicelist.append(res)<|fim▁end|>
else: VIDEOENH = False
<|file_name|>baseSpec.js<|end_file_name|><|fim▁begin|>'use strict'; /* jasmine specs for services go here */ describe('base', function() { beforeEach(function(){ module('d3-uml-modeler.base'); module('d3-uml-modeler.uml-abstract-factory'); module('d3-uml-modeler.constants'); module('d3-uml-modeler.notifications'); }); describe('BaseModelElement', function() { it('T1: should contain a GUID and an empty children hash', inject(["BaseModelElement", function($BaseModelElement) { var model = new $BaseModelElement(); expect(model.GUID).not.toBe(""); expect(model.count).toBe(0); expect(_.isEmpty(model.children)).toBe(true); }])); it('T2: should contain 2 children after a addElement call', inject(["BaseModelElement", function($BaseModelElement) { var model = new $BaseModelElement(); //add 2 models to it. var child1 = new $BaseModelElement(); var child2 = new $BaseModelElement(); model.addElement(child1); model.addElement(child2); //non empty children expect(_.isEmpty(model.children)).toBe(false); expect(model.count).toBe(2); }])); it("T3: should remove elements by passing them or their GUID to removeElement", inject(["BaseModelElement", function($BaseModelElement) { var model = new $BaseModelElement(); //add 2 models to it. var child1 = new $BaseModelElement(); var child2 = new $BaseModelElement(); var child3 = new $BaseModelElement(); var child4 = new $BaseModelElement(); //add some childs model.addElement(child1); model.addElement(child2); model.addElement(child3); model.addElement(child4); //remove a child by passing it to removeElement model.removeElement(child2); <|fim▁hole|> //children count expect(model.count).toBe(2); //test remaining children. expect(model.children[child1.GUID]).toBe(child1); expect(model.children[child2.GUID]).toBe(undefined); expect(model.children[child3.GUID]).toBe(undefined); expect(model.children[child4.GUID]).toBe(child4); }])); it('T4: should contain 3 children after a removeElement call', inject(["BaseModelElement", function($BaseModelElement) { var model = new $BaseModelElement(); //add 2 models to it. var child1 = new $BaseModelElement(); var child2 = new $BaseModelElement(); var child3 = new $BaseModelElement(); var child4 = new $BaseModelElement(); //add some childs model.addElement(child1); model.addElement(child2); model.addElement(child3); model.addElement(child4); //children count expect(model.count).toBe(4); //remove a child model.removeElement(child2); //children count expect(model.count).toBe(3); }])); }); //EventDispatcher describe('EventDispatcher', function(){ it('T5: should contain an empty listeners hash', inject(["EventDispatcher", function(EventDispatcher) { var eventDispatcher = new EventDispatcher(); expect(_.isEmpty(eventDispatcher._listeners)).toBe(true); }])); it('T6: should add and remove listeners', inject(["EventDispatcher", function(EventDispatcher) { var eventDispatcher = new EventDispatcher(); var anAwesomeFunction = function() { //my brilliant code here. console.log("T6: my brilliant code is being executed"); }; eventDispatcher.addEventListener("an.awesome.event", anAwesomeFunction); expect(eventDispatcher.hasListeners()).toBeTruthy(); //remove a listener eventDispatcher.removeEventListener("an.awesome.event", anAwesomeFunction); //check if th event has been removed expect(eventDispatcher.hasListener("an.awesome.event")).toBeFalsy(); expect(eventDispatcher.hasListeners()).toBe(false); var args = ["lol", "cool", "mdr"]; var params = [].concat(args.splice(1, args.length)); expect(params).toContain("cool"); expect(params).toContain("mdr"); expect(params).not.toContain("lol"); spyOn(console, "warn"); expect(function(){eventDispatcher.dispatchEvent("kool");}).not.toThrow(); expect(console.warn).toHaveBeenCalled(); expect(console.warn).toHaveBeenCalledWith("no such registered event : kool"); }])); }); describe('UmlController', function() { beforeEach(function(){ module('d3-uml-modeler.base'); module('d3-uml-modeler.notifications'); module('d3-uml-modeler.underscore'); }); it('T7: should contain a notifications list', inject([ "$rootScope", "_", "Notifications", "UmlController", function($rootScope, _, Notifications, UmlController) { var $scope = $rootScope.$new(); var ctrlFactory = new UmlController($scope, _, Notifications); expect(ctrlFactory.notifications).toBeDefined(); } ])); }); describe('Lodash Service:', function() { beforeEach(module('d3-uml-modeler.underscore')); it('T8: should get an instance of the underscore factory', inject(function(_) { expect(_).toBeDefined(); })); }); describe('Uml Model Abstract Factory', function() { beforeEach(function(){ module('d3-uml-modeler.underscore'); module('d3-uml-modeler.uml-abstract-factory'); }); it('T9: should contain a notifications list', inject(["UmlModelAbstractFactory", "_", function(UmlModelAbstractFactory, _) { expect(UmlModelAbstractFactory).toBeDefined(); expect(typeof UmlModelAbstractFactory).toBe("object"); expect(typeof UmlModelAbstractFactory.createUmlModelElement).toBe("function"); expect(typeof UmlModelAbstractFactory.registerUmlModelElementClass).toBe("function"); } ])); it('T10: should contain a notifications list', inject(["UmlModelAbstractFactory", "Constants", "_", function(UmlModelAbstractFactory, Constants, _) { Constants.ELEMENT_TYPES_TO_NAMES["car"] = "Car"; Constants.ELEMENT_TYPES_TO_NAMES["bicycle"] = "Bicycle"; var CarClass = Class.extend({ name: "", color: "", brand: "" }); var BicycleClass = Class.extend({ color: "", type: "" }); expect(typeof CarClass).toBe('function'); expect(typeof BicycleClass).toBe('function'); UmlModelAbstractFactory.registerUmlModelElementClass("car", CarClass); UmlModelAbstractFactory.registerUmlModelElementClass("bicycle", BicycleClass); expect(function(){ UmlModelAbstractFactory.registerUmlModelElementClass("truck", {}); }).toThrow(); var modelCar = UmlModelAbstractFactory.createUmlModelElement("car", {name: "peugeot"}); expect(modelCar).toBeDefined(); expect(typeof modelCar).toBe("object"); expect(modelCar.GUID).toBeUndefined(); expect(modelCar.name).toBe("peugeot"); var modelBicycle = UmlModelAbstractFactory.createUmlModelElement("bicycle", {name: "BTwin"}); expect(modelBicycle).toBeDefined(); expect(typeof modelBicycle).toBe("object"); expect(modelBicycle.GUID).toBeUndefined(); expect(modelBicycle.name).toBe("BTwin"); //creating an object without passing arguments //expect to throw expect(UmlModelAbstractFactory.createUmlModelElement).toThrow("type not found : undefined"); //creating an object without passing options //expect to work var newCar = UmlModelAbstractFactory.createUmlModelElement("car"); expect(newCar).toBeDefined(); expect(typeof newCar).toBe("object"); expect(newCar.GUID).toBeUndefined(); expect(newCar.name).toBe(""); UmlModelAbstractFactory.unregisterUmlModelElementClass("bicycle", BicycleClass); expect(_.isEmpty(UmlModelAbstractFactory.types)).toBe(false); UmlModelAbstractFactory.unregisterUmlModelElementClass("car", CarClass); expect(_.isEmpty(UmlModelAbstractFactory.types)).toBe(true); // console.log("types : ", UmlModelAbstractFactory.types); } ])); }); });<|fim▁end|>
//remove a child by passing its GUID to removeElement model.removeElement(child3.GUID);
<|file_name|>base.py<|end_file_name|><|fim▁begin|>from django.utils.encoding import python_2_unicode_compatible from allauth.socialaccount import app_settings from allauth.account.models import EmailAddress from ..models import SocialApp, SocialAccount, SocialLogin from ..adapter import get_adapter class AuthProcess(object): LOGIN = 'login'<|fim▁hole|> REDIRECT = 'redirect' class AuthAction(object): AUTHENTICATE = 'authenticate' REAUTHENTICATE = 'reauthenticate' class AuthError(object): UNKNOWN = 'unknown' CANCELLED = 'cancelled' # Cancelled on request of user DENIED = 'denied' # Denied by server class Provider(object): def get_login_url(self, request, next=None, **kwargs): """ Builds the URL to redirect to when initiating a login for this provider. """ raise NotImplementedError("get_login_url() for " + self.name) def get_app(self, request): return SocialApp.objects.get_current(self.id, request) def media_js(self, request): """ Some providers may require extra scripts (e.g. a Facebook connect) """ return '' def wrap_account(self, social_account): return self.account_class(social_account) def get_settings(self): return app_settings.PROVIDERS.get(self.id, {}) def sociallogin_from_response(self, request, response): """ Instantiates and populates a `SocialLogin` model based on the data retrieved in `response`. The method does NOT save the model to the DB. Data for `SocialLogin` will be extracted from `response` with the help of the `.extract_uid()`, `.extract_extra_data()`, `.extract_common_fields()`, and `.extract_email_addresses()` methods. :param request: a Django `HttpRequest` object. :param response: object retrieved via the callback response of the social auth provider. :return: A populated instance of the `SocialLogin` model (unsaved). """ adapter = get_adapter() uid = self.extract_uid(response) extra_data = self.extract_extra_data(response) common_fields = self.extract_common_fields(response) socialaccount = SocialAccount(extra_data=extra_data, uid=uid, provider=self.id) email_addresses = self.extract_email_addresses(response) self.cleanup_email_addresses(common_fields.get('email'), email_addresses) sociallogin = SocialLogin(account=socialaccount, email_addresses=email_addresses) user = sociallogin.user = adapter.new_user(request, sociallogin) user.set_unusable_password() adapter.populate_user(request, sociallogin, common_fields) return sociallogin def extract_uid(self, data): """ Extracts the unique user ID from `data` """ raise NotImplementedError( 'The provider must implement the `extract_uid()` method' ) def extract_extra_data(self, data): """ Extracts fields from `data` that will be stored in `SocialAccount`'s `extra_data` JSONField. :return: any JSON-serializable Python structure. """ return data def extract_common_fields(self, data): """ Extracts fields from `data` that will be used to populate the `User` model in the `SOCIALACCOUNT_ADAPTER`'s `populate_user()` method. For example: {'first_name': 'John'} :return: dictionary of key-value pairs. """ return {} def cleanup_email_addresses(self, email, addresses): # Move user.email over to EmailAddress if (email and email.lower() not in [ a.email.lower() for a in addresses]): addresses.append(EmailAddress(email=email, verified=False, primary=True)) # Force verified emails settings = self.get_settings() verified_email = settings.get('VERIFIED_EMAIL', False) if verified_email: for address in addresses: address.verified = True def extract_email_addresses(self, data): """ For example: [EmailAddress(email='[email protected]', verified=True, primary=True)] """ return [] @python_2_unicode_compatible class ProviderAccount(object): def __init__(self, social_account): self.account = social_account def get_profile_url(self): return None def get_avatar_url(self): return None def get_brand(self): """ Returns a dict containing an id and name identifying the brand. Useful when displaying logos next to accounts in templates. For most providers, these are identical to the provider. For OpenID however, the brand can derived from the OpenID identity url. """ provider = self.account.get_provider() return dict(id=provider.id, name=provider.name) def __str__(self): return self.to_str() def to_str(self): """ Due to the way python_2_unicode_compatible works, this does not work: @python_2_unicode_compatible class GoogleAccount(ProviderAccount): def __str__(self): dflt = super(GoogleAccount, self).__str__() return self.account.extra_data.get('name', dflt) It will result in and infinite recursion loop. That's why we add a method `to_str` that can be overriden in a conventional fashion, without having to worry about @python_2_unicode_compatible """ return self.get_brand()['name']<|fim▁end|>
CONNECT = 'connect'
<|file_name|>input.component.exp.ts<|end_file_name|><|fim▁begin|>import { experimentOn } from '@islavi/ng2-component-lab'; const valueChange = (value: any): void => { console.log('The value was changed! >>>>', value); };<|fim▁hole|>export default experimentOn('Input') .group("Input",[ { id: 'normalInput', showSource: true, title: 'Normal input', description: 'Normal input', template: ` <sdc-input label="Please Enter value" name="myValue" testId="myTestId"></sdc-input> ` }, { id: 'disabledInput', showSource: true, title: 'Disabled input', description: 'Disabled input', template: ` <sdc-input [disabled]="true"></sdc-input> ` }, { id: 'InputTypeNumber', showSource: true, title: 'Input type number', description: 'Input type number', template: ` <sdc-input type='number'></sdc-input> ` }, { id: 'Input required', title: 'Input required', description: 'Input required (this add red * to the label, but does not perform validation, use sdc-validation for validation)', showSource: true, template: ` <sdc-input label="Please Enter Value" required="true" [maxLength]="5"></sdc-input> ` }, { id: 'inputWithMaxLength', title: 'Input with max length', description: 'Input with max length', showSource: true, template: ` <sdc-input [maxLength]="5"></sdc-input> ` }, { id: 'inputWithPlaceholder', title: 'Input with placeholder, custom class, and tests ID', description: 'Input with placeholder', showSource: true, template: ` <sdc-input placeHolder="Text..." [classNames]="'my-custom-class another-class'" [testId]="'customTestId'"></sdc-input> ` }, { id: 'inputWithDebounce', title: 'Input with debounce time', description: `<pre>On value change event code: const valueChange = (value: any): void => { console.log('The value was changed! >>>>', value); }; This event will happen 5 sec after the change </pre>`, showSource: true, context: { changeEvent: valueChange }, template: ` <sdc-input [debounceTime]="5000" (valueChange)="changeEvent($event)"></sdc-input> ` }]);<|fim▁end|>
<|file_name|>reactor.go<|end_file_name|><|fim▁begin|>package consensus import ( "context" "errors" "fmt" "runtime/debug" "sync" "time" cstypes "github.com/tendermint/tendermint/internal/consensus/types" "github.com/tendermint/tendermint/internal/eventbus" "github.com/tendermint/tendermint/internal/p2p" sm "github.com/tendermint/tendermint/internal/state" "github.com/tendermint/tendermint/libs/bits" tmevents "github.com/tendermint/tendermint/libs/events" "github.com/tendermint/tendermint/libs/log" "github.com/tendermint/tendermint/libs/service" tmtime "github.com/tendermint/tendermint/libs/time" tmcons "github.com/tendermint/tendermint/proto/tendermint/consensus" tmproto "github.com/tendermint/tendermint/proto/tendermint/types" "github.com/tendermint/tendermint/types" ) var ( _ service.Service = (*Reactor)(nil) _ p2p.Wrapper = (*tmcons.Message)(nil) ) // GetChannelDescriptor produces an instance of a descriptor for this // package's required channels. func getChannelDescriptors() map[p2p.ChannelID]*p2p.ChannelDescriptor { return map[p2p.ChannelID]*p2p.ChannelDescriptor{ StateChannel: { ID: StateChannel, MessageType: new(tmcons.Message), Priority: 8, SendQueueCapacity: 64, RecvMessageCapacity: maxMsgSize, RecvBufferCapacity: 128, }, DataChannel: { // TODO: Consider a split between gossiping current block and catchup // stuff. Once we gossip the whole block there is nothing left to send // until next height or round. ID: DataChannel, MessageType: new(tmcons.Message), Priority: 12, SendQueueCapacity: 64, RecvBufferCapacity: 512, RecvMessageCapacity: maxMsgSize, }, VoteChannel: { ID: VoteChannel, MessageType: new(tmcons.Message), Priority: 10, SendQueueCapacity: 64, RecvBufferCapacity: 128, RecvMessageCapacity: maxMsgSize, }, VoteSetBitsChannel: { ID: VoteSetBitsChannel, MessageType: new(tmcons.Message), Priority: 5, SendQueueCapacity: 8, RecvBufferCapacity: 128, RecvMessageCapacity: maxMsgSize, }, } } const ( StateChannel = p2p.ChannelID(0x20) DataChannel = p2p.ChannelID(0x21) VoteChannel = p2p.ChannelID(0x22) VoteSetBitsChannel = p2p.ChannelID(0x23) maxMsgSize = 1048576 // 1MB; NOTE: keep in sync with types.PartSet sizes. blocksToContributeToBecomeGoodPeer = 10000 votesToContributeToBecomeGoodPeer = 10000 listenerIDConsensus = "consensus-reactor" ) // NOTE: Temporary interface for switching to block sync, we should get rid of v0. // See: https://github.com/tendermint/tendermint/issues/4595 type BlockSyncReactor interface { SwitchToBlockSync(context.Context, sm.State) error GetMaxPeerBlockHeight() int64 // GetTotalSyncedTime returns the time duration since the blocksync starting. GetTotalSyncedTime() time.Duration // GetRemainingSyncTime returns the estimating time the node will be fully synced, // if will return 0 if the blocksync does not perform or the number of block synced is // too small (less than 100). GetRemainingSyncTime() time.Duration } //go:generate ../../scripts/mockery_generate.sh ConsSyncReactor // ConsSyncReactor defines an interface used for testing abilities of node.startStateSync. type ConsSyncReactor interface { SwitchToConsensus(sm.State, bool) SetStateSyncingMetrics(float64) SetBlockSyncingMetrics(float64) } // Reactor defines a reactor for the consensus service. type Reactor struct { service.BaseService logger log.Logger state *State eventBus *eventbus.EventBus Metrics *Metrics mtx sync.RWMutex peers map[types.NodeID]*PeerState waitSync bool readySignal chan struct{} // closed when the node is ready to start consensus stateCh *p2p.Channel dataCh *p2p.Channel voteCh *p2p.Channel voteSetBitsCh *p2p.Channel peerUpdates *p2p.PeerUpdates } // NewReactor returns a reference to a new consensus reactor, which implements // the service.Service interface. It accepts a logger, consensus state, references // to relevant p2p Channels and a channel to listen for peer updates on. The // reactor will close all p2p Channels when stopping. func NewReactor( ctx context.Context, logger log.Logger, cs *State, channelCreator p2p.ChannelCreator, peerUpdates *p2p.PeerUpdates, eventBus *eventbus.EventBus, waitSync bool, metrics *Metrics, ) (*Reactor, error) { chans := getChannelDescriptors() stateCh, err := channelCreator(ctx, chans[StateChannel]) if err != nil { return nil, err } dataCh, err := channelCreator(ctx, chans[DataChannel]) if err != nil { return nil, err } voteCh, err := channelCreator(ctx, chans[VoteChannel]) if err != nil { return nil, err } voteSetBitsCh, err := channelCreator(ctx, chans[VoteSetBitsChannel]) if err != nil { return nil, err } r := &Reactor{ logger: logger, state: cs, waitSync: waitSync, peers: make(map[types.NodeID]*PeerState), eventBus: eventBus, Metrics: metrics, stateCh: stateCh, dataCh: dataCh, voteCh: voteCh, voteSetBitsCh: voteSetBitsCh, peerUpdates: peerUpdates, readySignal: make(chan struct{}), } r.BaseService = *service.NewBaseService(logger, "Consensus", r) if !r.waitSync { close(r.readySignal) } return r, nil } // OnStart starts separate go routines for each p2p Channel and listens for // envelopes on each. In addition, it also listens for peer updates and handles // messages on that p2p channel accordingly. The caller must be sure to execute // OnStop to ensure the outbound p2p Channels are closed. func (r *Reactor) OnStart(ctx context.Context) error { r.logger.Debug("consensus wait sync", "wait_sync", r.WaitSync()) // start routine that computes peer statistics for evaluating peer quality // // TODO: Evaluate if we need this to be synchronized via WaitGroup as to not // leak the goroutine when stopping the reactor. go r.peerStatsRoutine(ctx) r.subscribeToBroadcastEvents() if !r.WaitSync() { if err := r.state.Start(ctx); err != nil { return err } } go r.processStateCh(ctx) go r.processDataCh(ctx) go r.processVoteCh(ctx) go r.processVoteSetBitsCh(ctx) go r.processPeerUpdates(ctx) return nil } // OnStop stops the reactor by signaling to all spawned goroutines to exit and // blocking until they all exit, as well as unsubscribing from events and stopping // state. func (r *Reactor) OnStop() { r.unsubscribeFromBroadcastEvents() r.state.Stop() if !r.WaitSync() { r.state.Wait() } } // WaitSync returns whether the consensus reactor is waiting for state/block sync. func (r *Reactor) WaitSync() bool { r.mtx.RLock() defer r.mtx.RUnlock() return r.waitSync } // SwitchToConsensus switches from block-sync mode to consensus mode. It resets // the state, turns off block-sync, and starts the consensus state-machine. func (r *Reactor) SwitchToConsensus(ctx context.Context, state sm.State, skipWAL bool) { r.logger.Info("switching to consensus") // we have no votes, so reconstruct LastCommit from SeenCommit if state.LastBlockHeight > 0 { r.state.reconstructLastCommit(state) } // NOTE: The line below causes broadcastNewRoundStepRoutine() to broadcast a // NewRoundStepMessage. r.state.updateToState(ctx, state) r.mtx.Lock() r.waitSync = false close(r.readySignal) r.mtx.Unlock() r.Metrics.BlockSyncing.Set(0) r.Metrics.StateSyncing.Set(0) if skipWAL { r.state.doWALCatchup = false } if err := r.state.Start(ctx); err != nil { panic(fmt.Sprintf(`failed to start consensus state: %v conS: %+v conR: %+v`, err, r.state, r)) } d := types.EventDataBlockSyncStatus{Complete: true, Height: state.LastBlockHeight} if err := r.eventBus.PublishEventBlockSyncStatus(ctx, d); err != nil { r.logger.Error("failed to emit the blocksync complete event", "err", err) } } // String returns a string representation of the Reactor.<|fim▁hole|>// // TODO: improve! func (r *Reactor) String() string { return "ConsensusReactor" } // StringIndented returns an indented string representation of the Reactor. func (r *Reactor) StringIndented(indent string) string { r.mtx.RLock() defer r.mtx.RUnlock() s := "ConsensusReactor{\n" s += indent + " " + r.state.StringIndented(indent+" ") + "\n" for _, ps := range r.peers { s += indent + " " + ps.StringIndented(indent+" ") + "\n" } s += indent + "}" return s } // GetPeerState returns PeerState for a given NodeID. func (r *Reactor) GetPeerState(peerID types.NodeID) (*PeerState, bool) { r.mtx.RLock() defer r.mtx.RUnlock() ps, ok := r.peers[peerID] return ps, ok } func (r *Reactor) broadcastNewRoundStepMessage(ctx context.Context, rs *cstypes.RoundState) error { return r.stateCh.Send(ctx, p2p.Envelope{ Broadcast: true, Message: makeRoundStepMessage(rs), }) } func (r *Reactor) broadcastNewValidBlockMessage(ctx context.Context, rs *cstypes.RoundState) error { psHeader := rs.ProposalBlockParts.Header() return r.stateCh.Send(ctx, p2p.Envelope{ Broadcast: true, Message: &tmcons.NewValidBlock{ Height: rs.Height, Round: rs.Round, BlockPartSetHeader: psHeader.ToProto(), BlockParts: rs.ProposalBlockParts.BitArray().ToProto(), IsCommit: rs.Step == cstypes.RoundStepCommit, }, }) } func (r *Reactor) broadcastHasVoteMessage(ctx context.Context, vote *types.Vote) error { return r.stateCh.Send(ctx, p2p.Envelope{ Broadcast: true, Message: &tmcons.HasVote{ Height: vote.Height, Round: vote.Round, Type: vote.Type, Index: vote.ValidatorIndex, }, }) } // subscribeToBroadcastEvents subscribes for new round steps and votes using the // internal pubsub defined in the consensus state to broadcast them to peers // upon receiving. func (r *Reactor) subscribeToBroadcastEvents() { err := r.state.evsw.AddListenerForEvent( listenerIDConsensus, types.EventNewRoundStepValue, func(ctx context.Context, data tmevents.EventData) error { if err := r.broadcastNewRoundStepMessage(ctx, data.(*cstypes.RoundState)); err != nil { return err } select { case r.state.onStopCh <- data.(*cstypes.RoundState): return nil case <-ctx.Done(): return ctx.Err() default: return nil } }, ) if err != nil { r.logger.Error("failed to add listener for events", "err", err) } err = r.state.evsw.AddListenerForEvent( listenerIDConsensus, types.EventValidBlockValue, func(ctx context.Context, data tmevents.EventData) error { return r.broadcastNewValidBlockMessage(ctx, data.(*cstypes.RoundState)) }, ) if err != nil { r.logger.Error("failed to add listener for events", "err", err) } err = r.state.evsw.AddListenerForEvent( listenerIDConsensus, types.EventVoteValue, func(ctx context.Context, data tmevents.EventData) error { return r.broadcastHasVoteMessage(ctx, data.(*types.Vote)) }, ) if err != nil { r.logger.Error("failed to add listener for events", "err", err) } } func (r *Reactor) unsubscribeFromBroadcastEvents() { r.state.evsw.RemoveListener(listenerIDConsensus) } func makeRoundStepMessage(rs *cstypes.RoundState) *tmcons.NewRoundStep { return &tmcons.NewRoundStep{ Height: rs.Height, Round: rs.Round, Step: uint32(rs.Step), SecondsSinceStartTime: int64(time.Since(rs.StartTime).Seconds()), LastCommitRound: rs.LastCommit.GetRound(), } } func (r *Reactor) sendNewRoundStepMessage(ctx context.Context, peerID types.NodeID) error { return r.stateCh.Send(ctx, p2p.Envelope{ To: peerID, Message: makeRoundStepMessage(r.state.GetRoundState()), }) } func (r *Reactor) gossipDataForCatchup(ctx context.Context, rs *cstypes.RoundState, prs *cstypes.PeerRoundState, ps *PeerState) { logger := r.logger.With("height", prs.Height).With("peer", ps.peerID) if index, ok := prs.ProposalBlockParts.Not().PickRandom(); ok { // ensure that the peer's PartSetHeader is correct blockMeta := r.state.blockStore.LoadBlockMeta(prs.Height) if blockMeta == nil { logger.Error( "failed to load block meta", "our_height", rs.Height, "blockstore_base", r.state.blockStore.Base(), "blockstore_height", r.state.blockStore.Height(), ) time.Sleep(r.state.config.PeerGossipSleepDuration) return } else if !blockMeta.BlockID.PartSetHeader.Equals(prs.ProposalBlockPartSetHeader) { logger.Info( "peer ProposalBlockPartSetHeader mismatch; sleeping", "block_part_set_header", blockMeta.BlockID.PartSetHeader, "peer_block_part_set_header", prs.ProposalBlockPartSetHeader, ) time.Sleep(r.state.config.PeerGossipSleepDuration) return } part := r.state.blockStore.LoadBlockPart(prs.Height, index) if part == nil { logger.Error( "failed to load block part", "index", index, "block_part_set_header", blockMeta.BlockID.PartSetHeader, "peer_block_part_set_header", prs.ProposalBlockPartSetHeader, ) time.Sleep(r.state.config.PeerGossipSleepDuration) return } partProto, err := part.ToProto() if err != nil { logger.Error("failed to convert block part to proto", "err", err) time.Sleep(r.state.config.PeerGossipSleepDuration) return } logger.Debug("sending block part for catchup", "round", prs.Round, "index", index) _ = r.dataCh.Send(ctx, p2p.Envelope{ To: ps.peerID, Message: &tmcons.BlockPart{ Height: prs.Height, // not our height, so it does not matter. Round: prs.Round, // not our height, so it does not matter Part: *partProto, }, }) return } time.Sleep(r.state.config.PeerGossipSleepDuration) } func (r *Reactor) gossipDataRoutine(ctx context.Context, ps *PeerState) { logger := r.logger.With("peer", ps.peerID) timer := time.NewTimer(0) defer timer.Stop() OUTER_LOOP: for { if !r.IsRunning() { return } select { case <-ctx.Done(): return default: } rs := r.state.GetRoundState() prs := ps.GetRoundState() // Send proposal Block parts? if rs.ProposalBlockParts.HasHeader(prs.ProposalBlockPartSetHeader) { if index, ok := rs.ProposalBlockParts.BitArray().Sub(prs.ProposalBlockParts.Copy()).PickRandom(); ok { part := rs.ProposalBlockParts.GetPart(index) partProto, err := part.ToProto() if err != nil { logger.Error("failed to convert block part to proto", "err", err) return } logger.Debug("sending block part", "height", prs.Height, "round", prs.Round) if err := r.dataCh.Send(ctx, p2p.Envelope{ To: ps.peerID, Message: &tmcons.BlockPart{ Height: rs.Height, // this tells peer that this part applies to us Round: rs.Round, // this tells peer that this part applies to us Part: *partProto, }, }); err != nil { return } ps.SetHasProposalBlockPart(prs.Height, prs.Round, index) continue OUTER_LOOP } } // if the peer is on a previous height that we have, help catch up blockStoreBase := r.state.blockStore.Base() if blockStoreBase > 0 && 0 < prs.Height && prs.Height < rs.Height && prs.Height >= blockStoreBase { heightLogger := logger.With("height", prs.Height) // If we never received the commit message from the peer, the block parts // will not be initialized. if prs.ProposalBlockParts == nil { blockMeta := r.state.blockStore.LoadBlockMeta(prs.Height) if blockMeta == nil { heightLogger.Error( "failed to load block meta", "blockstoreBase", blockStoreBase, "blockstoreHeight", r.state.blockStore.Height(), ) timer.Reset(r.state.config.PeerGossipSleepDuration) select { case <-timer.C: case <-ctx.Done(): return } } else { ps.InitProposalBlockParts(blockMeta.BlockID.PartSetHeader) } // Continue the loop since prs is a copy and not effected by this // initialization. continue OUTER_LOOP } r.gossipDataForCatchup(ctx, rs, prs, ps) continue OUTER_LOOP } // if height and round don't match, sleep if (rs.Height != prs.Height) || (rs.Round != prs.Round) { timer.Reset(r.state.config.PeerGossipSleepDuration) select { case <-timer.C: case <-ctx.Done(): return } continue OUTER_LOOP } // By here, height and round match. // Proposal block parts were already matched and sent if any were wanted. // (These can match on hash so the round doesn't matter) // Now consider sending other things, like the Proposal itself. // Send Proposal && ProposalPOL BitArray? if rs.Proposal != nil && !prs.Proposal { // Proposal: share the proposal metadata with peer. { propProto := rs.Proposal.ToProto() logger.Debug("sending proposal", "height", prs.Height, "round", prs.Round) if err := r.dataCh.Send(ctx, p2p.Envelope{ To: ps.peerID, Message: &tmcons.Proposal{ Proposal: *propProto, }, }); err != nil { return } // NOTE: A peer might have received a different proposal message, so // this Proposal msg will be rejected! ps.SetHasProposal(rs.Proposal) } // ProposalPOL: lets peer know which POL votes we have so far. The peer // must receive ProposalMessage first. Note, rs.Proposal was validated, // so rs.Proposal.POLRound <= rs.Round, so we definitely have // rs.Votes.Prevotes(rs.Proposal.POLRound). if 0 <= rs.Proposal.POLRound { pPol := rs.Votes.Prevotes(rs.Proposal.POLRound).BitArray() pPolProto := pPol.ToProto() logger.Debug("sending POL", "height", prs.Height, "round", prs.Round) if err := r.dataCh.Send(ctx, p2p.Envelope{ To: ps.peerID, Message: &tmcons.ProposalPOL{ Height: rs.Height, ProposalPolRound: rs.Proposal.POLRound, ProposalPol: *pPolProto, }, }); err != nil { return } } continue OUTER_LOOP } // nothing to do -- sleep timer.Reset(r.state.config.PeerGossipSleepDuration) select { case <-timer.C: case <-ctx.Done(): return } continue OUTER_LOOP } } // pickSendVote picks a vote and sends it to the peer. It will return true if // there is a vote to send and false otherwise. func (r *Reactor) pickSendVote(ctx context.Context, ps *PeerState, votes types.VoteSetReader) (bool, error) { vote, ok := ps.PickVoteToSend(votes) if !ok { return false, nil } r.logger.Debug("sending vote message", "ps", ps, "vote", vote) if err := r.voteCh.Send(ctx, p2p.Envelope{ To: ps.peerID, Message: &tmcons.Vote{ Vote: vote.ToProto(), }, }); err != nil { return false, err } if err := ps.SetHasVote(vote); err != nil { return false, err } return true, nil } func (r *Reactor) gossipVotesForHeight( ctx context.Context, rs *cstypes.RoundState, prs *cstypes.PeerRoundState, ps *PeerState, ) (bool, error) { logger := r.logger.With("height", prs.Height).With("peer", ps.peerID) // if there are lastCommits to send... if prs.Step == cstypes.RoundStepNewHeight { if ok, err := r.pickSendVote(ctx, ps, rs.LastCommit); err != nil { return false, err } else if ok { logger.Debug("picked rs.LastCommit to send") return true, nil } } // if there are POL prevotes to send... if prs.Step <= cstypes.RoundStepPropose && prs.Round != -1 && prs.Round <= rs.Round && prs.ProposalPOLRound != -1 { if polPrevotes := rs.Votes.Prevotes(prs.ProposalPOLRound); polPrevotes != nil { if ok, err := r.pickSendVote(ctx, ps, polPrevotes); err != nil { return false, err } else if ok { logger.Debug("picked rs.Prevotes(prs.ProposalPOLRound) to send", "round", prs.ProposalPOLRound) return true, nil } } } // if there are prevotes to send... if prs.Step <= cstypes.RoundStepPrevoteWait && prs.Round != -1 && prs.Round <= rs.Round { if ok, err := r.pickSendVote(ctx, ps, rs.Votes.Prevotes(prs.Round)); err != nil { return false, err } else if ok { logger.Debug("picked rs.Prevotes(prs.Round) to send", "round", prs.Round) return true, nil } } // if there are precommits to send... if prs.Step <= cstypes.RoundStepPrecommitWait && prs.Round != -1 && prs.Round <= rs.Round { if ok, err := r.pickSendVote(ctx, ps, rs.Votes.Precommits(prs.Round)); err != nil { return false, err } else if ok { logger.Debug("picked rs.Precommits(prs.Round) to send", "round", prs.Round) return true, nil } } // if there are prevotes to send...(which are needed because of validBlock mechanism) if prs.Round != -1 && prs.Round <= rs.Round { if ok, err := r.pickSendVote(ctx, ps, rs.Votes.Prevotes(prs.Round)); err != nil { return false, err } else if ok { logger.Debug("picked rs.Prevotes(prs.Round) to send", "round", prs.Round) return true, nil } } // if there are POLPrevotes to send... if prs.ProposalPOLRound != -1 { if polPrevotes := rs.Votes.Prevotes(prs.ProposalPOLRound); polPrevotes != nil { if ok, err := r.pickSendVote(ctx, ps, polPrevotes); err != nil { return false, err } else if ok { logger.Debug("picked rs.Prevotes(prs.ProposalPOLRound) to send", "round", prs.ProposalPOLRound) return true, nil } } } return false, nil } func (r *Reactor) gossipVotesRoutine(ctx context.Context, ps *PeerState) { logger := r.logger.With("peer", ps.peerID) // XXX: simple hack to throttle logs upon sleep logThrottle := 0 timer := time.NewTimer(0) defer timer.Stop() for { if !r.IsRunning() { return } select { case <-ctx.Done(): return default: } rs := r.state.GetRoundState() prs := ps.GetRoundState() switch logThrottle { case 1: // first sleep logThrottle = 2 case 2: // no more sleep logThrottle = 0 } // if height matches, then send LastCommit, Prevotes, and Precommits if rs.Height == prs.Height { if ok, err := r.gossipVotesForHeight(ctx, rs, prs, ps); err != nil { return } else if ok { continue } } // special catchup logic -- if peer is lagging by height 1, send LastCommit if prs.Height != 0 && rs.Height == prs.Height+1 { if ok, err := r.pickSendVote(ctx, ps, rs.LastCommit); err != nil { return } else if ok { logger.Debug("picked rs.LastCommit to send", "height", prs.Height) continue } } // catchup logic -- if peer is lagging by more than 1, send Commit blockStoreBase := r.state.blockStore.Base() if blockStoreBase > 0 && prs.Height != 0 && rs.Height >= prs.Height+2 && prs.Height >= blockStoreBase { // Load the block commit for prs.Height, which contains precommit // signatures for prs.Height. if commit := r.state.blockStore.LoadBlockCommit(prs.Height); commit != nil { if ok, err := r.pickSendVote(ctx, ps, commit); err != nil { return } else if ok { logger.Debug("picked Catchup commit to send", "height", prs.Height) continue } } } if logThrottle == 0 { // we sent nothing -- sleep logThrottle = 1 logger.Debug( "no votes to send; sleeping", "rs.Height", rs.Height, "prs.Height", prs.Height, "localPV", rs.Votes.Prevotes(rs.Round).BitArray(), "peerPV", prs.Prevotes, "localPC", rs.Votes.Precommits(rs.Round).BitArray(), "peerPC", prs.Precommits, ) } else if logThrottle == 2 { logThrottle = 1 } timer.Reset(r.state.config.PeerGossipSleepDuration) select { case <-ctx.Done(): return case <-timer.C: } } } // NOTE: `queryMaj23Routine` has a simple crude design since it only comes // into play for liveness when there's a signature DDoS attack happening. func (r *Reactor) queryMaj23Routine(ctx context.Context, ps *PeerState) { timer := time.NewTimer(0) defer timer.Stop() ctx, cancel := context.WithCancel(ctx) defer cancel() for { if !ps.IsRunning() { return } select { case <-ctx.Done(): return case <-timer.C: } if !ps.IsRunning() { return } rs := r.state.GetRoundState() prs := ps.GetRoundState() // TODO create more reliable coppies of these // structures so the following go routines don't race wg := &sync.WaitGroup{} if rs.Height == prs.Height { wg.Add(1) go func(rs *cstypes.RoundState, prs *cstypes.PeerRoundState) { defer wg.Done() // maybe send Height/Round/Prevotes if maj23, ok := rs.Votes.Prevotes(prs.Round).TwoThirdsMajority(); ok { if err := r.stateCh.Send(ctx, p2p.Envelope{ To: ps.peerID, Message: &tmcons.VoteSetMaj23{ Height: prs.Height, Round: prs.Round, Type: tmproto.PrevoteType, BlockID: maj23.ToProto(), }, }); err != nil { cancel() } } }(rs, prs) if prs.ProposalPOLRound >= 0 { wg.Add(1) go func(rs *cstypes.RoundState, prs *cstypes.PeerRoundState) { defer wg.Done() // maybe send Height/Round/ProposalPOL if maj23, ok := rs.Votes.Prevotes(prs.ProposalPOLRound).TwoThirdsMajority(); ok { if err := r.stateCh.Send(ctx, p2p.Envelope{ To: ps.peerID, Message: &tmcons.VoteSetMaj23{ Height: prs.Height, Round: prs.ProposalPOLRound, Type: tmproto.PrevoteType, BlockID: maj23.ToProto(), }, }); err != nil { cancel() } } }(rs, prs) } wg.Add(1) go func(rs *cstypes.RoundState, prs *cstypes.PeerRoundState) { defer wg.Done() // maybe send Height/Round/Precommits if maj23, ok := rs.Votes.Precommits(prs.Round).TwoThirdsMajority(); ok { if err := r.stateCh.Send(ctx, p2p.Envelope{ To: ps.peerID, Message: &tmcons.VoteSetMaj23{ Height: prs.Height, Round: prs.Round, Type: tmproto.PrecommitType, BlockID: maj23.ToProto(), }, }); err != nil { cancel() } } }(rs, prs) } // Little point sending LastCommitRound/LastCommit, these are fleeting and // non-blocking. if prs.CatchupCommitRound != -1 && prs.Height > 0 { wg.Add(1) go func(rs *cstypes.RoundState, prs *cstypes.PeerRoundState) { defer wg.Done() if prs.Height <= r.state.blockStore.Height() && prs.Height >= r.state.blockStore.Base() { // maybe send Height/CatchupCommitRound/CatchupCommit if commit := r.state.LoadCommit(prs.Height); commit != nil { if err := r.stateCh.Send(ctx, p2p.Envelope{ To: ps.peerID, Message: &tmcons.VoteSetMaj23{ Height: prs.Height, Round: commit.Round, Type: tmproto.PrecommitType, BlockID: commit.BlockID.ToProto(), }, }); err != nil { cancel() } } } }(rs, prs) } waitSignal := make(chan struct{}) go func() { defer close(waitSignal); wg.Wait() }() select { case <-waitSignal: timer.Reset(r.state.config.PeerQueryMaj23SleepDuration) case <-ctx.Done(): return } } } // processPeerUpdate process a peer update message. For new or reconnected peers, // we create a peer state if one does not exist for the peer, which should always // be the case, and we spawn all the relevant goroutine to broadcast messages to // the peer. During peer removal, we remove the peer for our set of peers and // signal to all spawned goroutines to gracefully exit in a non-blocking manner. func (r *Reactor) processPeerUpdate(ctx context.Context, peerUpdate p2p.PeerUpdate) { r.logger.Debug("received peer update", "peer", peerUpdate.NodeID, "status", peerUpdate.Status) r.mtx.Lock() defer r.mtx.Unlock() switch peerUpdate.Status { case p2p.PeerStatusUp: // Do not allow starting new broadcasting goroutines after reactor shutdown // has been initiated. This can happen after we've manually closed all // peer goroutines, but the router still sends in-flight peer updates. if !r.IsRunning() { return } ps, ok := r.peers[peerUpdate.NodeID] if !ok { ps = NewPeerState(r.logger, peerUpdate.NodeID) r.peers[peerUpdate.NodeID] = ps } if !ps.IsRunning() { // Set the peer state's closer to signal to all spawned goroutines to exit // when the peer is removed. We also set the running state to ensure we // do not spawn multiple instances of the same goroutines and finally we // set the waitgroup counter so we know when all goroutines have exited. ps.SetRunning(true) ctx, ps.cancel = context.WithCancel(ctx) go func() { select { case <-ctx.Done(): return case <-r.readySignal: } // do nothing if the peer has // stopped while we've been waiting. if !ps.IsRunning() { return } // start goroutines for this peer go r.gossipDataRoutine(ctx, ps) go r.gossipVotesRoutine(ctx, ps) go r.queryMaj23Routine(ctx, ps) // Send our state to the peer. If we're block-syncing, broadcast a // RoundStepMessage later upon SwitchToConsensus(). if !r.WaitSync() { go func() { _ = r.sendNewRoundStepMessage(ctx, ps.peerID) }() } }() } case p2p.PeerStatusDown: ps, ok := r.peers[peerUpdate.NodeID] if ok && ps.IsRunning() { // signal to all spawned goroutines for the peer to gracefully exit go func() { r.mtx.Lock() delete(r.peers, peerUpdate.NodeID) r.mtx.Unlock() ps.SetRunning(false) ps.cancel() }() } } } // handleStateMessage handles envelopes sent from peers on the StateChannel. // An error is returned if the message is unrecognized or if validation fails. // If we fail to find the peer state for the envelope sender, we perform a no-op // and return. This can happen when we process the envelope after the peer is // removed. func (r *Reactor) handleStateMessage(ctx context.Context, envelope *p2p.Envelope, msgI Message) error { ps, ok := r.GetPeerState(envelope.From) if !ok || ps == nil { r.logger.Debug("failed to find peer state", "peer", envelope.From, "ch_id", "StateChannel") return nil } switch msg := envelope.Message.(type) { case *tmcons.NewRoundStep: r.state.mtx.RLock() initialHeight := r.state.state.InitialHeight r.state.mtx.RUnlock() if err := msgI.(*NewRoundStepMessage).ValidateHeight(initialHeight); err != nil { r.logger.Error("peer sent us an invalid msg", "msg", msg, "err", err) return err } ps.ApplyNewRoundStepMessage(msgI.(*NewRoundStepMessage)) case *tmcons.NewValidBlock: ps.ApplyNewValidBlockMessage(msgI.(*NewValidBlockMessage)) case *tmcons.HasVote: if err := ps.ApplyHasVoteMessage(msgI.(*HasVoteMessage)); err != nil { r.logger.Error("applying HasVote message", "msg", msg, "err", err) return err } case *tmcons.VoteSetMaj23: r.state.mtx.RLock() height, votes := r.state.Height, r.state.Votes r.state.mtx.RUnlock() if height != msg.Height { return nil } vsmMsg := msgI.(*VoteSetMaj23Message) // peer claims to have a maj23 for some BlockID at <H,R,S> err := votes.SetPeerMaj23(msg.Round, msg.Type, ps.peerID, vsmMsg.BlockID) if err != nil { return err } // Respond with a VoteSetBitsMessage showing which votes we have and // consequently shows which we don't have. var ourVotes *bits.BitArray switch vsmMsg.Type { case tmproto.PrevoteType: ourVotes = votes.Prevotes(msg.Round).BitArrayByBlockID(vsmMsg.BlockID) case tmproto.PrecommitType: ourVotes = votes.Precommits(msg.Round).BitArrayByBlockID(vsmMsg.BlockID) default: panic("bad VoteSetBitsMessage field type; forgot to add a check in ValidateBasic?") } eMsg := &tmcons.VoteSetBits{ Height: msg.Height, Round: msg.Round, Type: msg.Type, BlockID: msg.BlockID, } if votesProto := ourVotes.ToProto(); votesProto != nil { eMsg.Votes = *votesProto } if err := r.voteSetBitsCh.Send(ctx, p2p.Envelope{ To: envelope.From, Message: eMsg, }); err != nil { return err } default: return fmt.Errorf("received unknown message on StateChannel: %T", msg) } return nil } // handleDataMessage handles envelopes sent from peers on the DataChannel. If we // fail to find the peer state for the envelope sender, we perform a no-op and // return. This can happen when we process the envelope after the peer is // removed. func (r *Reactor) handleDataMessage(ctx context.Context, envelope *p2p.Envelope, msgI Message) error { logger := r.logger.With("peer", envelope.From, "ch_id", "DataChannel") ps, ok := r.GetPeerState(envelope.From) if !ok || ps == nil { r.logger.Debug("failed to find peer state") return nil } if r.WaitSync() { logger.Info("ignoring message received during sync", "msg", fmt.Sprintf("%T", msgI)) return nil } switch msg := envelope.Message.(type) { case *tmcons.Proposal: pMsg := msgI.(*ProposalMessage) ps.SetHasProposal(pMsg.Proposal) select { case <-ctx.Done(): return ctx.Err() case r.state.peerMsgQueue <- msgInfo{pMsg, envelope.From, tmtime.Now()}: } case *tmcons.ProposalPOL: ps.ApplyProposalPOLMessage(msgI.(*ProposalPOLMessage)) case *tmcons.BlockPart: bpMsg := msgI.(*BlockPartMessage) ps.SetHasProposalBlockPart(bpMsg.Height, bpMsg.Round, int(bpMsg.Part.Index)) r.Metrics.BlockParts.With("peer_id", string(envelope.From)).Add(1) select { case r.state.peerMsgQueue <- msgInfo{bpMsg, envelope.From, tmtime.Now()}: return nil case <-ctx.Done(): return ctx.Err() } default: return fmt.Errorf("received unknown message on DataChannel: %T", msg) } return nil } // handleVoteMessage handles envelopes sent from peers on the VoteChannel. If we // fail to find the peer state for the envelope sender, we perform a no-op and // return. This can happen when we process the envelope after the peer is // removed. func (r *Reactor) handleVoteMessage(ctx context.Context, envelope *p2p.Envelope, msgI Message) error { logger := r.logger.With("peer", envelope.From, "ch_id", "VoteChannel") ps, ok := r.GetPeerState(envelope.From) if !ok || ps == nil { r.logger.Debug("failed to find peer state") return nil } if r.WaitSync() { logger.Info("ignoring message received during sync", "msg", msgI) return nil } switch msg := envelope.Message.(type) { case *tmcons.Vote: r.state.mtx.RLock() height, valSize, lastCommitSize := r.state.Height, r.state.Validators.Size(), r.state.LastCommit.Size() r.state.mtx.RUnlock() vMsg := msgI.(*VoteMessage) ps.EnsureVoteBitArrays(height, valSize) ps.EnsureVoteBitArrays(height-1, lastCommitSize) if err := ps.SetHasVote(vMsg.Vote); err != nil { return err } select { case r.state.peerMsgQueue <- msgInfo{vMsg, envelope.From, tmtime.Now()}: return nil case <-ctx.Done(): return ctx.Err() } default: return fmt.Errorf("received unknown message on VoteChannel: %T", msg) } } // handleVoteSetBitsMessage handles envelopes sent from peers on the // VoteSetBitsChannel. If we fail to find the peer state for the envelope sender, // we perform a no-op and return. This can happen when we process the envelope // after the peer is removed. func (r *Reactor) handleVoteSetBitsMessage(ctx context.Context, envelope *p2p.Envelope, msgI Message) error { logger := r.logger.With("peer", envelope.From, "ch_id", "VoteSetBitsChannel") ps, ok := r.GetPeerState(envelope.From) if !ok || ps == nil { r.logger.Debug("failed to find peer state") return nil } if r.WaitSync() { logger.Info("ignoring message received during sync", "msg", msgI) return nil } switch msg := envelope.Message.(type) { case *tmcons.VoteSetBits: r.state.mtx.RLock() height, votes := r.state.Height, r.state.Votes r.state.mtx.RUnlock() vsbMsg := msgI.(*VoteSetBitsMessage) if height == msg.Height { var ourVotes *bits.BitArray switch msg.Type { case tmproto.PrevoteType: ourVotes = votes.Prevotes(msg.Round).BitArrayByBlockID(vsbMsg.BlockID) case tmproto.PrecommitType: ourVotes = votes.Precommits(msg.Round).BitArrayByBlockID(vsbMsg.BlockID) default: panic("bad VoteSetBitsMessage field type; forgot to add a check in ValidateBasic?") } ps.ApplyVoteSetBitsMessage(vsbMsg, ourVotes) } else { ps.ApplyVoteSetBitsMessage(vsbMsg, nil) } default: return fmt.Errorf("received unknown message on VoteSetBitsChannel: %T", msg) } return nil } // handleMessage handles an Envelope sent from a peer on a specific p2p Channel. // It will handle errors and any possible panics gracefully. A caller can handle // any error returned by sending a PeerError on the respective channel. // // NOTE: We process these messages even when we're block syncing. Messages affect // either a peer state or the consensus state. Peer state updates can happen in // parallel, but processing of proposals, block parts, and votes are ordered by // the p2p channel. // // NOTE: We block on consensus state for proposals, block parts, and votes. func (r *Reactor) handleMessage(ctx context.Context, chID p2p.ChannelID, envelope *p2p.Envelope) (err error) { defer func() { if e := recover(); e != nil { err = fmt.Errorf("panic in processing message: %v", e) r.logger.Error( "recovering from processing message panic", "err", err, "stack", string(debug.Stack()), ) } }() // We wrap the envelope's message in a Proto wire type so we can convert back // the domain type that individual channel message handlers can work with. We // do this here once to avoid having to do it for each individual message type. // and because a large part of the core business logic depends on these // domain types opposed to simply working with the Proto types. protoMsg := new(tmcons.Message) if err := protoMsg.Wrap(envelope.Message); err != nil { return err } msgI, err := MsgFromProto(protoMsg) if err != nil { return err } r.logger.Debug("received message", "ch_id", chID, "message", msgI, "peer", envelope.From) switch chID { case StateChannel: err = r.handleStateMessage(ctx, envelope, msgI) case DataChannel: err = r.handleDataMessage(ctx, envelope, msgI) case VoteChannel: err = r.handleVoteMessage(ctx, envelope, msgI) case VoteSetBitsChannel: err = r.handleVoteSetBitsMessage(ctx, envelope, msgI) default: err = fmt.Errorf("unknown channel ID (%d) for envelope (%v)", chID, envelope) } return err } // processStateCh initiates a blocking process where we listen for and handle // envelopes on the StateChannel. Any error encountered during message // execution will result in a PeerError being sent on the StateChannel. When // the reactor is stopped, we will catch the signal and close the p2p Channel // gracefully. func (r *Reactor) processStateCh(ctx context.Context) { iter := r.stateCh.Receive(ctx) for iter.Next(ctx) { envelope := iter.Envelope() if err := r.handleMessage(ctx, r.stateCh.ID, envelope); err != nil { r.logger.Error("failed to process message", "ch_id", r.stateCh.ID, "envelope", envelope, "err", err) if serr := r.stateCh.SendError(ctx, p2p.PeerError{ NodeID: envelope.From, Err: err, }); serr != nil { return } } } } // processDataCh initiates a blocking process where we listen for and handle // envelopes on the DataChannel. Any error encountered during message // execution will result in a PeerError being sent on the DataChannel. When // the reactor is stopped, we will catch the signal and close the p2p Channel // gracefully. func (r *Reactor) processDataCh(ctx context.Context) { iter := r.dataCh.Receive(ctx) for iter.Next(ctx) { envelope := iter.Envelope() if err := r.handleMessage(ctx, r.dataCh.ID, envelope); err != nil { r.logger.Error("failed to process message", "ch_id", r.dataCh.ID, "envelope", envelope, "err", err) if serr := r.dataCh.SendError(ctx, p2p.PeerError{ NodeID: envelope.From, Err: err, }); serr != nil { return } } } } // processVoteCh initiates a blocking process where we listen for and handle // envelopes on the VoteChannel. Any error encountered during message // execution will result in a PeerError being sent on the VoteChannel. When // the reactor is stopped, we will catch the signal and close the p2p Channel // gracefully. func (r *Reactor) processVoteCh(ctx context.Context) { iter := r.voteCh.Receive(ctx) for iter.Next(ctx) { envelope := iter.Envelope() if err := r.handleMessage(ctx, r.voteCh.ID, envelope); err != nil { r.logger.Error("failed to process message", "ch_id", r.voteCh.ID, "envelope", envelope, "err", err) if serr := r.voteCh.SendError(ctx, p2p.PeerError{ NodeID: envelope.From, Err: err, }); serr != nil { return } } } } // processVoteCh initiates a blocking process where we listen for and handle // envelopes on the VoteSetBitsChannel. Any error encountered during message // execution will result in a PeerError being sent on the VoteSetBitsChannel. // When the reactor is stopped, we will catch the signal and close the p2p // Channel gracefully. func (r *Reactor) processVoteSetBitsCh(ctx context.Context) { iter := r.voteSetBitsCh.Receive(ctx) for iter.Next(ctx) { envelope := iter.Envelope() if err := r.handleMessage(ctx, r.voteSetBitsCh.ID, envelope); err != nil { if errors.Is(err, context.Canceled) || errors.Is(err, context.DeadlineExceeded) { return } r.logger.Error("failed to process message", "ch_id", r.voteSetBitsCh.ID, "envelope", envelope, "err", err) if serr := r.voteSetBitsCh.SendError(ctx, p2p.PeerError{ NodeID: envelope.From, Err: err, }); serr != nil { return } } } } // processPeerUpdates initiates a blocking process where we listen for and handle // PeerUpdate messages. When the reactor is stopped, we will catch the signal and // close the p2p PeerUpdatesCh gracefully. func (r *Reactor) processPeerUpdates(ctx context.Context) { for { select { case <-ctx.Done(): return case peerUpdate := <-r.peerUpdates.Updates(): r.processPeerUpdate(ctx, peerUpdate) } } } func (r *Reactor) peerStatsRoutine(ctx context.Context) { for { if !r.IsRunning() { r.logger.Info("stopping peerStatsRoutine") return } select { case msg := <-r.state.statsMsgQueue: ps, ok := r.GetPeerState(msg.PeerID) if !ok || ps == nil { r.logger.Debug("attempt to update stats for non-existent peer", "peer", msg.PeerID) continue } switch msg.Msg.(type) { case *VoteMessage: if numVotes := ps.RecordVote(); numVotes%votesToContributeToBecomeGoodPeer == 0 { r.peerUpdates.SendUpdate(ctx, p2p.PeerUpdate{ NodeID: msg.PeerID, Status: p2p.PeerStatusGood, }) } case *BlockPartMessage: if numParts := ps.RecordBlockPart(); numParts%blocksToContributeToBecomeGoodPeer == 0 { r.peerUpdates.SendUpdate(ctx, p2p.PeerUpdate{ NodeID: msg.PeerID, Status: p2p.PeerStatusGood, }) } } case <-ctx.Done(): return } } } func (r *Reactor) GetConsensusState() *State { return r.state } func (r *Reactor) SetStateSyncingMetrics(v float64) { r.Metrics.StateSyncing.Set(v) } func (r *Reactor) SetBlockSyncingMetrics(v float64) { r.Metrics.BlockSyncing.Set(v) }<|fim▁end|>
// // NOTE: For now, it is just a hard-coded string to avoid accessing unprotected // shared variables.
<|file_name|>fake_connection.go<|end_file_name|><|fim▁begin|>// Code generated by counterfeiter. DO NOT EDIT. package routerfakes import ( "sync" "code.cloudfoundry.org/cli/api/router" ) type FakeConnection struct { MakeStub func(*router.Request, *router.Response) error makeMutex sync.RWMutex makeArgsForCall []struct { arg1 *router.Request arg2 *router.Response } makeReturns struct { result1 error } makeReturnsOnCall map[int]struct { result1 error } invocations map[string][][]interface{} invocationsMutex sync.RWMutex } func (fake *FakeConnection) Make(arg1 *router.Request, arg2 *router.Response) error { fake.makeMutex.Lock() ret, specificReturn := fake.makeReturnsOnCall[len(fake.makeArgsForCall)] fake.makeArgsForCall = append(fake.makeArgsForCall, struct { arg1 *router.Request arg2 *router.Response }{arg1, arg2}) fake.recordInvocation("Make", []interface{}{arg1, arg2}) fake.makeMutex.Unlock() if fake.MakeStub != nil { return fake.MakeStub(arg1, arg2) } if specificReturn { return ret.result1 } fakeReturns := fake.makeReturns return fakeReturns.result1 } func (fake *FakeConnection) MakeCallCount() int { fake.makeMutex.RLock() defer fake.makeMutex.RUnlock() return len(fake.makeArgsForCall) } func (fake *FakeConnection) MakeCalls(stub func(*router.Request, *router.Response) error) { fake.makeMutex.Lock() defer fake.makeMutex.Unlock() fake.MakeStub = stub } func (fake *FakeConnection) MakeArgsForCall(i int) (*router.Request, *router.Response) { fake.makeMutex.RLock() defer fake.makeMutex.RUnlock() argsForCall := fake.makeArgsForCall[i] return argsForCall.arg1, argsForCall.arg2 } func (fake *FakeConnection) MakeReturns(result1 error) { fake.makeMutex.Lock() defer fake.makeMutex.Unlock() fake.MakeStub = nil fake.makeReturns = struct { result1 error }{result1} }<|fim▁hole|>func (fake *FakeConnection) MakeReturnsOnCall(i int, result1 error) { fake.makeMutex.Lock() defer fake.makeMutex.Unlock() fake.MakeStub = nil if fake.makeReturnsOnCall == nil { fake.makeReturnsOnCall = make(map[int]struct { result1 error }) } fake.makeReturnsOnCall[i] = struct { result1 error }{result1} } func (fake *FakeConnection) Invocations() map[string][][]interface{} { fake.invocationsMutex.RLock() defer fake.invocationsMutex.RUnlock() fake.makeMutex.RLock() defer fake.makeMutex.RUnlock() copiedInvocations := map[string][][]interface{}{} for key, value := range fake.invocations { copiedInvocations[key] = value } return copiedInvocations } func (fake *FakeConnection) recordInvocation(key string, args []interface{}) { fake.invocationsMutex.Lock() defer fake.invocationsMutex.Unlock() if fake.invocations == nil { fake.invocations = map[string][][]interface{}{} } if fake.invocations[key] == nil { fake.invocations[key] = [][]interface{}{} } fake.invocations[key] = append(fake.invocations[key], args) } var _ router.Connection = new(FakeConnection)<|fim▁end|>
<|file_name|>util.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python # Copyright 2020 the V8 project authors. All rights reserved. # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. import heapq import os import platform import random import signal import subprocess # Base dir of the build products for Release and Debug. OUT_DIR = os.path.abspath( os.path.join(os.path.dirname(__file__), '..', '..', '..', 'out')) def list_processes_linux(): """Returns list of tuples (pid, command) of processes running in the same out directory as this checkout. """ if platform.system() != 'Linux': return [] try: cmd = 'pgrep -fa %s' % OUT_DIR output = subprocess.check_output(cmd, shell=True) or '' processes = [ (int(line.split()[0]), line[line.index(OUT_DIR):]) for line in output.splitlines() ] # Filter strange process with name as out dir. return [p for p in processes if p[1] != OUT_DIR] except: return [] def kill_processes_linux(): """Kill stray processes on the system that started in the same out directory. All swarming tasks share the same out directory location. """ if platform.system() != 'Linux': return for pid, cmd in list_processes_linux(): try: print('Attempting to kill %d - %s' % (pid, cmd)) os.kill(pid, signal.SIGKILL) except: pass class FixedSizeTopList(): """Utility collection for gathering a fixed number of elements with the biggest value for the given key. It employs a heap from which we pop the smallest element when the collection is 'full'. If you need a reversed behaviour (collect min values) just provide an inverse key.""" def __init__(self, size, key=None): self.size = size self.key = key or (lambda x: x) self.data = [] self.discriminator = 0 def add(self, elem): elem_k = self.key(elem) heapq.heappush(self.data, (elem_k, self.extra_key(), elem)) if len(self.data) > self.size: heapq.heappop(self.data) def extra_key(self): # Avoid key clash in tuples sent to the heap.<|fim▁hole|> return self.discriminator def as_list(self): original_data = [rec for (_, _, rec) in self.data] return sorted(original_data, key=self.key, reverse=True)<|fim▁end|>
# We want to avoid comparisons on the last element of the tuple # since those elements might not be comparable. self.discriminator += 1
<|file_name|>profitcoin_it.ts<|end_file_name|><|fim▁begin|><?xml version="1.0" ?><!DOCTYPE TS><TS language="it" version="2.1"> <context> <name>AboutDialog</name> <message> <location filename="../forms/aboutdialog.ui" line="+14"/> <source>About profitcoin</source> <translation type="unfinished"/> </message> <message> <location line="+39"/> <source>&lt;b&gt;profitcoin&lt;/b&gt; version</source> <translation type="unfinished"/> </message> <message> <location line="+41"/> <source>Copyright © 2009-2014 The Bitcoin developers Copyright © 2014 Profitcoin team Copyright © 2014 The profitcoin developers</source> <translation type="unfinished"/> </message> <message> <location line="+15"/> <source> This is experimental software. Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young ([email protected]) and UPnP software written by Thomas Bernard.</source> <translation> Questo è un software sperimentale. Distribuito sotto la licenza software MIT/X11, vedi il file COPYING incluso oppure su http://www.opensource.org/licenses/mit-license.php. Questo prodotto include software sviluppato dal progetto OpenSSL per l&apos;uso del Toolkit OpenSSL (http://www.openssl.org/), software crittografico scritto da Eric Young ([email protected]) e software UPnP scritto da Thomas Bernard.</translation> </message> </context> <context> <name>AddressBookPage</name> <message> <location filename="../forms/addressbookpage.ui" line="+14"/> <source>Address Book</source> <translation type="unfinished"/> </message> <message> <location line="+22"/> <source>Double-click to edit address or label</source> <translation>Fai doppio click per modificare o cancellare l&apos;etichetta</translation> </message> <message> <location line="+27"/> <source>Create a new address</source> <translation>Crea un nuovo indirizzo</translation> </message> <message> <location line="+14"/> <source>Copy the currently selected address to the system clipboard</source> <translation>Copia l&apos;indirizzo attualmente selezionato nella clipboard</translation> </message> <message> <location line="-11"/> <source>&amp;New Address</source> <translation type="unfinished"/> </message> <message> <location line="-46"/> <source>These are your profitcoin addresses for receiving payments. You may want to give a different one to each sender so you can keep track of who is paying you.</source> <translation type="unfinished"/> </message> <message> <location line="+60"/> <source>&amp;Copy Address</source> <translation>&amp;Copia l&apos;indirizzo</translation> </message> <message> <location line="+11"/> <source>Show &amp;QR Code</source> <translation type="unfinished"/> </message> <message> <location line="+11"/> <source>Sign a message to prove you own a profitcoin address</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Sign &amp;Message</source> <translation type="unfinished"/> </message> <message> <location line="+25"/> <source>Delete the currently selected address from the list</source> <translation>Cancella l&apos;indirizzo attualmente selezionato dalla lista</translation> </message> <message> <location line="-14"/> <source>Verify a message to ensure it was signed with a specified profitcoin address</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Verify Message</source> <translation type="unfinished"/> </message> <message> <location line="+14"/> <source>&amp;Delete</source> <translation>&amp;Cancella</translation> </message> <message> <location filename="../addressbookpage.cpp" line="+65"/> <source>Copy &amp;Label</source> <translation>Copia &amp;l&apos;etichetta</translation> </message> <message> <location line="+2"/> <source>&amp;Edit</source> <translation>&amp;Modifica</translation> </message> <message> <location line="+250"/> <source>Export Address Book Data</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Comma separated file (*.csv)</source> <translation>Testo CSV (*.csv)</translation> </message> <message> <location line="+13"/> <source>Error exporting</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>Could not write to file %1.</source> <translation type="unfinished"/> </message> </context> <context> <name>AddressTableModel</name> <message> <location filename="../addresstablemodel.cpp" line="+144"/> <source>Label</source> <translation>Etichetta</translation> </message> <message> <location line="+0"/> <source>Address</source> <translation>Indirizzo</translation> </message> <message> <location line="+36"/> <source>(no label)</source> <translation>(nessuna etichetta)</translation> </message> </context> <context> <name>AskPassphraseDialog</name> <message> <location filename="../forms/askpassphrasedialog.ui" line="+26"/> <source>Passphrase Dialog</source> <translation>Finestra passphrase</translation> </message> <message> <location line="+21"/> <source>Enter passphrase</source> <translation>Inserisci la passphrase</translation> </message> <message> <location line="+14"/> <source>New passphrase</source> <translation>Nuova passphrase</translation> </message> <message> <location line="+14"/> <source>Repeat new passphrase</source> <translation>Ripeti la passphrase</translation> </message> <message> <location line="+33"/> <source>Serves to disable the trivial sendmoney when OS account compromised. Provides no real security.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>For staking only</source> <translation type="unfinished"/> </message> <message> <location filename="../askpassphrasedialog.cpp" line="+35"/> <source>Enter the new passphrase to the wallet.&lt;br/&gt;Please use a passphrase of &lt;b&gt;10 or more random characters&lt;/b&gt;, or &lt;b&gt;eight or more words&lt;/b&gt;.</source> <translation>Inserisci la passphrase per il portamonete.&lt;br/&gt;Per piacere usare unapassphrase di &lt;b&gt;10 o più caratteri casuali&lt;/b&gt;, o &lt;b&gt;otto o più parole&lt;/b&gt;.</translation> </message> <message> <location line="+1"/> <source>Encrypt wallet</source> <translation>Cifra il portamonete</translation> </message> <message> <location line="+7"/> <source>This operation needs your wallet passphrase to unlock the wallet.</source> <translation>Quest&apos;operazione necessita della passphrase per sbloccare il portamonete.</translation> </message> <message> <location line="+5"/> <source>Unlock wallet</source> <translation>Sblocca il portamonete</translation> </message> <message> <location line="+3"/> <source>This operation needs your wallet passphrase to decrypt the wallet.</source> <translation>Quest&apos;operazione necessita della passphrase per decifrare il portamonete,</translation> </message> <message> <location line="+5"/> <source>Decrypt wallet</source> <translation>Decifra il portamonete</translation> </message> <message> <location line="+3"/> <source>Change passphrase</source> <translation>Cambia la passphrase</translation> </message> <message> <location line="+1"/> <source>Enter the old and new passphrase to the wallet.</source> <translation>Inserisci la vecchia e la nuova passphrase per il portamonete.</translation> </message> <message> <location line="+46"/> <source>Confirm wallet encryption</source> <translation>Conferma la cifratura del portamonete</translation> </message> <message> <location line="+1"/> <source>Warning: If you encrypt your wallet and lose your passphrase, you will &lt;b&gt;LOSE ALL OF YOUR COINS&lt;/b&gt;!</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>Are you sure you wish to encrypt your wallet?</source> <translation>Si è sicuri di voler cifrare il portamonete?</translation> </message> <message> <location line="+15"/> <source>IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet.</source> <translation>IMPORTANTE: qualsiasi backup del portafoglio effettuato precedentemente dovrebbe essere sostituito con il file del portafoglio criptato appena generato. Per ragioni di sicurezza, i backup precedenti del file del portafoglio non criptato diventeranno inservibili non appena si inizi ad usare il nuovo portafoglio criptato.</translation> </message> <message> <location line="+103"/> <location line="+24"/> <source>Warning: The Caps Lock key is on!</source> <translation>Attenzione: tasto Blocco maiuscole attivo.</translation> </message> <message> <location line="-133"/> <location line="+60"/> <source>Wallet encrypted</source> <translation>Portamonete cifrato</translation> </message> <message> <location line="-58"/> <source>profitcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your coins from being stolen by malware infecting your computer.</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <location line="+7"/> <location line="+44"/> <location line="+6"/> <source>Wallet encryption failed</source> <translation>Cifratura del portamonete fallita</translation> </message> <message> <location line="-56"/> <source>Wallet encryption failed due to an internal error. Your wallet was not encrypted.</source> <translation>Cifratura del portamonete fallita a causa di un errore interno. Il portamonete non è stato cifrato.</translation> </message> <message> <location line="+7"/> <location line="+50"/> <source>The supplied passphrases do not match.</source> <translation>Le passphrase inserite non corrispondono.</translation> </message> <message> <location line="-38"/> <source>Wallet unlock failed</source> <translation>Sblocco del portamonete fallito</translation> </message> <message> <location line="+1"/> <location line="+12"/> <location line="+19"/> <source>The passphrase entered for the wallet decryption was incorrect.</source> <translation>La passphrase inserita per la decifrazione del portamonete è errata.</translation> </message> <message> <location line="-20"/> <source>Wallet decryption failed</source> <translation>Decifrazione del portamonete fallita</translation> </message> <message> <location line="+14"/> <source>Wallet passphrase was successfully changed.</source> <translation>Passphrase del portamonete modificata con successo.</translation> </message> </context> <context> <name>ProfitcoinGUI</name> <message> <location filename="../profitcoingui.cpp" line="+282"/> <source>Sign &amp;message...</source> <translation>Firma il &amp;messaggio...</translation> </message> <message> <location line="+251"/> <source>Synchronizing with network...</source> <translation>Sto sincronizzando con la rete...</translation> </message> <message> <location line="-319"/> <source>&amp;Overview</source> <translation>&amp;Sintesi</translation> </message> <message> <location line="+1"/> <source>Show general overview of wallet</source> <translation>Mostra lo stato generale del portamonete</translation> </message> <message> <location line="+17"/> <source>&amp;Transactions</source> <translation>&amp;Transazioni</translation> </message> <message> <location line="+1"/> <source>Browse transaction history</source> <translation>Cerca nelle transazioni</translation> </message> <message> <location line="+5"/> <source>&amp;Address Book</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Edit the list of stored addresses and labels</source> <translation type="unfinished"/> </message> <message> <location line="-13"/> <source>&amp;Receive coins</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Show the list of addresses for receiving payments</source> <translation type="unfinished"/> </message> <message> <location line="-7"/> <source>&amp;Send coins</source> <translation type="unfinished"/> </message> <message> <location line="+35"/> <source>E&amp;xit</source> <translation>&amp;Esci</translation> </message> <message> <location line="+1"/> <source>Quit application</source> <translation>Chiudi applicazione</translation> </message> <message> <location line="+6"/> <source>Show information about profitcoin</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>About &amp;Qt</source> <translation>Informazioni su &amp;Qt</translation> </message> <message> <location line="+1"/> <source>Show information about Qt</source> <translation>Mostra informazioni su Qt</translation> </message> <message> <location line="+2"/> <source>&amp;Options...</source> <translation>&amp;Opzioni...</translation> </message> <message> <location line="+4"/> <source>&amp;Encrypt Wallet...</source> <translation>&amp;Cifra il portamonete...</translation> </message> <message> <location line="+3"/> <source>&amp;Backup Wallet...</source> <translation>&amp;Backup Portamonete...</translation> </message> <message> <location line="+2"/> <source>&amp;Change Passphrase...</source> <translation>&amp;Cambia la passphrase...</translation> </message> <message numerus="yes"> <location line="+259"/> <source>~%n block(s) remaining</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="+6"/> <source>Downloaded %1 of %2 blocks of transaction history (%3% done).</source> <translation type="unfinished"/> </message> <message> <location line="-256"/> <source>&amp;Export...</source> <translation type="unfinished"/> </message> <message> <location line="-64"/> <source>Send coins to a profitcoin address</source> <translation type="unfinished"/> </message> <message> <location line="+47"/> <source>Modify configuration options for profitcoin</source> <translation type="unfinished"/> </message> <message> <location line="+18"/> <source>Export the data in the current tab to a file</source> <translation type="unfinished"/> </message> <message> <location line="-14"/> <source>Encrypt or decrypt wallet</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Backup wallet to another location</source> <translation>Backup portamonete in un&apos;altra locazione</translation> </message> <message> <location line="+2"/> <source>Change the passphrase used for wallet encryption</source> <translation>Cambia la passphrase per la cifratura del portamonete</translation> </message> <message> <location line="+10"/> <source>&amp;Debug window</source> <translation>Finestra &amp;Debug</translation> </message> <message> <location line="+1"/> <source>Open debugging and diagnostic console</source> <translation>Apri la console di degugging e diagnostica</translation> </message> <message> <location line="-5"/> <source>&amp;Verify message...</source> <translation>&amp;Verifica messaggio...</translation> </message> <message> <location line="-202"/> <source>profitcoin</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>Wallet</source> <translation>Portamonete</translation> </message> <message> <location line="+180"/> <source>&amp;About profitcoin</source> <translation type="unfinished"/> </message> <message> <location line="+9"/> <source>&amp;Show / Hide</source> <translation>&amp;Mostra/Nascondi</translation> </message> <message> <location line="+9"/> <source>Unlock wallet</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>&amp;Lock Wallet</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Lock wallet</source> <translation type="unfinished"/> </message> <message> <location line="+35"/> <source>&amp;File</source> <translation>&amp;File</translation> </message> <message> <location line="+8"/> <source>&amp;Settings</source> <translation>&amp;Impostazioni</translation> </message> <message> <location line="+8"/> <source>&amp;Help</source> <translation>&amp;Aiuto</translation> </message> <message> <location line="+12"/> <source>Tabs toolbar</source> <translation>Barra degli strumenti &quot;Tabs&quot;</translation> </message> <message> <location line="+8"/> <source>Actions toolbar</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <location line="+9"/> <source>[testnet]</source> <translation>[testnet]</translation> </message> <message> <location line="+0"/> <location line="+60"/> <source>profitcoin client</source> <translation type="unfinished"/> </message> <message numerus="yes"> <location line="+75"/> <source>%n active connection(s) to profitcoin network</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="+40"/> <source>Downloaded %1 blocks of transaction history.</source> <translation type="unfinished"/> </message> <message> <location line="+413"/> <source>Staking.&lt;br&gt;Your weight is %1&lt;br&gt;Network weight is %2&lt;br&gt;Expected time to earn reward is %3</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>Not staking because wallet is locked</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Not staking because wallet is offline</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Not staking because wallet is syncing</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Not staking because you don&apos;t have mature coins</source> <translation type="unfinished"/> </message> <message numerus="yes"> <location line="-403"/> <source>%n second(s) ago</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="-312"/> <source>About profitcoin card</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Show information about profitcoin card</source> <translation type="unfinished"/> </message> <message> <location line="+18"/> <source>&amp;Unlock Wallet...</source> <translation type="unfinished"/> </message> <message numerus="yes"> <location line="+297"/> <source>%n minute(s) ago</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation> </message> <message numerus="yes"> <location line="+4"/> <source>%n hour(s) ago</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation> </message> <message numerus="yes"> <location line="+4"/> <source>%n day(s) ago</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="+6"/> <source>Up to date</source> <translation>Aggiornato</translation> </message> <message> <location line="+7"/> <source>Catching up...</source> <translation>In aggiornamento...</translation> </message> <message> <location line="+10"/> <source>Last received block was generated %1.</source> <translation type="unfinished"/> </message> <message> <location line="+59"/> <source>This transaction is over the size limit. You can still send it for a fee of %1, which goes to the nodes that process your transaction and helps to support the network. Do you want to pay the fee?</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Confirm transaction fee</source> <translation type="unfinished"/> </message> <message> <location line="+27"/> <source>Sent transaction</source> <translation>Transazione inviata</translation> </message> <message> <location line="+1"/> <source>Incoming transaction</source> <translation>Transazione ricevuta</translation> </message> <message> <location line="+1"/> <source>Date: %1 Amount: %2 Type: %3 Address: %4 </source> <translation>Data: %1 Quantità: %2 Tipo: %3 Indirizzo: %4 </translation> </message> <message> <location line="+100"/> <location line="+15"/> <source>URI handling</source> <translation type="unfinished"/> </message> <message> <location line="-15"/> <location line="+15"/> <source>URI can not be parsed! This can be caused by an invalid profitcoin address or malformed URI parameters.</source> <translation type="unfinished"/> </message> <message> <location line="+18"/> <source>Wallet is &lt;b&gt;encrypted&lt;/b&gt; and currently &lt;b&gt;unlocked&lt;/b&gt;</source> <translation>Il portamonete è &lt;b&gt;cifrato&lt;/b&gt; e attualmente &lt;b&gt;sbloccato&lt;/b&gt;</translation> </message> <message> <location line="+10"/> <source>Wallet is &lt;b&gt;encrypted&lt;/b&gt; and currently &lt;b&gt;locked&lt;/b&gt;</source> <translation>Il portamonete è &lt;b&gt;cifrato&lt;/b&gt; e attualmente &lt;b&gt;bloccato&lt;/b&gt;</translation> </message> <message> <location line="+25"/> <source>Backup Wallet</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>Wallet Data (*.dat)</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Backup Failed</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>There was an error trying to save the wallet data to the new location.</source> <translation type="unfinished"/> </message> <message numerus="yes"> <location line="+76"/> <source>%n second(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation> </message> <message numerus="yes"> <location line="+4"/> <source>%n minute(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation> </message> <message numerus="yes"> <location line="+4"/> <source>%n hour(s)</source> <translation><numerusform>%n ora</numerusform><numerusform>%n ore</numerusform></translation> </message> <message numerus="yes"> <location line="+4"/> <source>%n day(s)</source> <translation><numerusform>%n giorno</numerusform><numerusform>%n giorni</numerusform></translation> </message> <message> <location line="+18"/> <source>Not staking</source> <translation type="unfinished"/> </message> <message> <location filename="../profitcoin.cpp" line="+109"/> <source>A fatal error occurred. profitcoin can no longer continue safely and will quit.</source> <translation type="unfinished"/> </message> </context> <context> <name>ClientModel</name> <message> <location filename="../clientmodel.cpp" line="+90"/> <source>Network Alert</source> <translation>Avviso di rete</translation> </message> </context> <context> <name>CoinControlDialog</name> <message> <location filename="../forms/coincontroldialog.ui" line="+14"/> <source>Coin Control</source> <translation type="unfinished"/> </message> <message> <location line="+31"/> <source>Quantity:</source> <translation>Quantità:</translation> </message> <message> <location line="+32"/> <source>Bytes:</source> <translation>Byte:</translation> </message> <message> <location line="+48"/> <source>Amount:</source> <translation>Importo:</translation> </message> <message> <location line="+32"/> <source>Priority:</source> <translation>Priorità:</translation> </message> <message> <location line="+48"/> <source>Fee:</source> <translation>Commissione:</translation> </message> <message> <location line="+35"/> <source>Low Output:</source> <translation>Low Output:</translation> </message> <message> <location filename="../coincontroldialog.cpp" line="+551"/> <source>no</source> <translation>no</translation> </message> <message> <location filename="../forms/coincontroldialog.ui" line="+51"/> <source>After Fee:</source> <translation>Dopo Commissione:</translation> </message> <message> <location line="+35"/> <source>Change:</source> <translation>Resto:</translation> </message> <message> <location line="+69"/> <source>(un)select all</source> <translation>(de)seleziona tutto</translation> </message> <message> <location line="+13"/> <source>Tree mode</source> <translation>Modalità Albero</translation> </message> <message> <location line="+16"/> <source>List mode</source> <translation>Modalità Lista</translation> </message> <message> <location line="+45"/> <source>Amount</source> <translation>Importo</translation> </message> <message> <location line="+5"/> <source>Label</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Address</source> <translation>Indirizzo</translation> </message> <message> <location line="+5"/> <source>Date</source> <translation>Data</translation> </message> <message> <location line="+5"/> <source>Confirmations</source> <translation>Conferme:</translation> </message> <message> <location line="+3"/> <source>Confirmed</source> <translation>Confermato</translation> </message> <message> <location line="+5"/> <source>Priority</source> <translation>Priorità</translation> </message> <message> <location filename="../coincontroldialog.cpp" line="-515"/> <source>Copy address</source> <translation>Copia l&apos;indirizzo</translation> </message> <message> <location line="+1"/> <source>Copy label</source> <translation>Copia l&apos;etichetta</translation> </message> <message> <location line="+1"/> <location line="+26"/> <source>Copy amount</source> <translation>Copia l&apos;importo</translation> </message> <message> <location line="-25"/> <source>Copy transaction ID</source> <translation>Copia l&apos;ID transazione</translation> </message> <message> <location line="+24"/> <source>Copy quantity</source> <translation>Copia quantità</translation> </message> <message> <location line="+2"/> <source>Copy fee</source> <translation>Copia commissione</translation> </message> <message> <location line="+1"/> <source>Copy after fee</source> <translation>Copia dopo commissione</translation> </message> <message> <location line="+1"/> <source>Copy bytes</source> <translation>Copia byte</translation> </message> <message> <location line="+1"/> <source>Copy priority</source> <translation>Copia priorità</translation> </message> <message> <location line="+1"/> <source>Copy low output</source> <translation>Copia low output</translation> </message> <message> <location line="+1"/> <source>Copy change</source> <translation>Copia resto</translation> </message> <message> <location line="+317"/> <source>highest</source> <translation>massima</translation> </message> <message> <location line="+1"/> <source>high</source> <translation>alta</translation> </message> <message> <location line="+1"/> <source>medium-high</source> <translation>medio-alta</translation> </message> <message> <location line="+1"/> <source>medium</source> <translation>media</translation> </message> <message> <location line="+4"/> <source>low-medium</source> <translation>medio-bassa</translation> </message> <message> <location line="+1"/> <source>low</source> <translation>bassa</translation> </message> <message> <location line="+1"/> <source>lowest</source> <translation>infima</translation> </message> <message> <location line="+155"/> <source>DUST</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>yes</source> <translation>si</translation> </message> <message> <location line="+10"/> <source>This label turns red, if the transaction size is bigger than 10000 bytes. This means a fee of at least %1 per kb is required. Can vary +/- 1 Byte per input.</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Transactions with higher priority get more likely into a block. This label turns red, if the priority is smaller than &quot;medium&quot;. This means a fee of at least %1 per kb is required.</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>This label turns red, if any recipient receives an amount smaller than %1. This means a fee of at least %2 is required. Amounts below 0.546 times the minimum relay fee are shown as DUST.</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>This label turns red, if the change is smaller than %1. This means a fee of at least %2 is required.</source> <translation type="unfinished"/> </message> <message> <location line="+37"/> <location line="+66"/> <source>(no label)</source> <translation>(nessuna etichetta)</translation> </message> <message> <location line="-9"/> <source>change from %1 (%2)</source> <translation>resto da %1 (%2)</translation> </message> <message> <location line="+1"/> <source>(change)</source> <translation>(resto)</translation> </message> </context> <context> <name>EditAddressDialog</name> <message> <location filename="../forms/editaddressdialog.ui" line="+14"/> <source>Edit Address</source> <translation>Modifica l&apos;indirizzo</translation> </message> <message> <location line="+11"/> <source>&amp;Label</source> <translation>&amp;Etichetta</translation> </message> <message> <location line="+10"/> <source>The label associated with this address book entry</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>&amp;Address</source> <translation>&amp;Indirizzo</translation> </message> <message> <location line="+10"/> <source>The address associated with this address book entry. This can only be modified for sending addresses.</source> <translation type="unfinished"/> </message> <message> <location filename="../editaddressdialog.cpp" line="+20"/> <source>New receiving address</source> <translation>Nuovo indirizzo di ricezione</translation> </message> <message> <location line="+4"/> <source>New sending address</source> <translation>Nuovo indirizzo d&apos;invio</translation> </message> <message> <location line="+3"/> <source>Edit receiving address</source> <translation>Modifica indirizzo di ricezione</translation> </message> <message> <location line="+4"/> <source>Edit sending address</source> <translation>Modifica indirizzo d&apos;invio</translation> </message> <message> <location line="+76"/> <source>The entered address &quot;%1&quot; is already in the address book.</source> <translation>L&apos;indirizzo inserito &quot;%1&quot; è già in rubrica.</translation> </message> <message> <location line="-5"/> <source>The entered address &quot;%1&quot; is not a valid profitcoin address.</source> <translation type="unfinished"/> </message> <message> <location line="+10"/> <source>Could not unlock wallet.</source> <translation>Impossibile sbloccare il portamonete.</translation> </message> <message> <location line="+5"/> <source>New key generation failed.</source> <translation>Generazione della nuova chiave non riuscita.</translation> </message> </context> <context> <name>GUIUtil::HelpMessageBox</name> <message> <location filename="../guiutil.cpp" line="+420"/> <location line="+12"/> <source>profitcoin-Qt</source> <translation type="unfinished"/> </message> <message> <location line="-12"/> <source>version</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Usage:</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>command-line options</source> <translation type="unfinished"/> </message> <message> <location line="+4"/> <source>UI options</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Set language, for example &quot;de_DE&quot; (default: system locale)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Start minimized</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Show splash screen on startup (default: 1)</source> <translation type="unfinished"/> </message> </context> <context> <name>OptionsDialog</name> <message> <location filename="../forms/optionsdialog.ui" line="+14"/> <source>Options</source> <translation>Opzioni</translation> </message> <message> <location line="+16"/> <source>&amp;Main</source> <translation>&amp;Principale</translation> </message> <message> <location line="+6"/> <source>Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. Fee 0.01 recommended.</source> <translation type="unfinished"/> </message> <message> <location line="+15"/> <source>Pay transaction &amp;fee</source> <translation>Paga la &amp;commissione</translation> </message> <message> <location line="+31"/> <source>Reserved amount does not participate in staking and is therefore spendable at any time.</source> <translation type="unfinished"/> </message> <message> <location line="+15"/> <source>Reserve</source> <translation type="unfinished"/> </message> <message> <location line="+31"/> <source>Automatically start profitcoin after logging in to the system.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Start profitcoin on system login</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Detach block and address databases at shutdown. This means they can be moved to another data directory, but it slows down shutdown. The wallet is always detached.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Detach databases at shutdown</source> <translation type="unfinished"/> </message> <message> <location line="+21"/> <source>&amp;Network</source> <translation>Rete</translation> </message> <message> <location line="+6"/> <source>Automatically open the profitcoin client port on the router. This only works when your router supports UPnP and it is enabled.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Map port using &amp;UPnP</source> <translation>Mappa le porte tramite l&apos;&amp;UPnP</translation> </message> <message> <location line="+7"/> <source>Connect to the profitcoin network through a SOCKS proxy (e.g. when connecting through Tor).</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Connect through SOCKS proxy:</source> <translation type="unfinished"/> </message> <message> <location line="+9"/> <source>Proxy &amp;IP:</source> <translation>&amp;IP del proxy:</translation> </message> <message> <location line="+19"/> <source>IP address of the proxy (e.g. 127.0.0.1)</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>&amp;Port:</source> <translation>&amp;Porta:</translation> </message> <message> <location line="+19"/> <source>Port of the proxy (e.g. 9050)</source> <translation>Porta del proxy (es. 9050)</translation> </message> <message> <location line="+7"/> <source>SOCKS &amp;Version:</source> <translation>SOCKS &amp;Version:</translation> </message> <message> <location line="+13"/> <source>SOCKS version of the proxy (e.g. 5)</source> <translation>Versione SOCKS del proxy (es. 5)</translation> </message> <message> <location line="+36"/> <source>&amp;Window</source> <translation>&amp;Finestra</translation> </message> <message> <location line="+6"/> <source>Show only a tray icon after minimizing the window.</source> <translation>Mostra solo un&apos;icona nel tray quando si minimizza la finestra</translation> </message> <message> <location line="+3"/> <source>&amp;Minimize to the tray instead of the taskbar</source> <translation>&amp;Minimizza sul tray invece che sulla barra delle applicazioni</translation> </message> <message> <location line="+7"/> <source>Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu.</source> <translation>Riduci ad icona, invece di uscire dall&apos;applicazione quando la finestra viene chiusa. Quando questa opzione è attivata, l&apos;applicazione verrà chiusa solo dopo aver selezionato Esci nel menu.</translation> </message> <message> <location line="+3"/> <source>M&amp;inimize on close</source> <translation>M&amp;inimizza alla chiusura</translation> </message> <message> <location line="+21"/> <source>&amp;Display</source> <translation>&amp;Mostra</translation> </message> <message> <location line="+8"/> <source>User Interface &amp;language:</source> <translation>&amp;Lingua Interfaccia Utente:</translation> </message> <message> <location line="+13"/> <source>The user interface language can be set here. This setting will take effect after restarting profitcoin.</source> <translation type="unfinished"/> </message> <message> <location line="+11"/> <source>&amp;Unit to show amounts in:</source> <translation>&amp;Unità di misura degli importi in:</translation> </message> <message> <location line="+13"/> <source>Choose the default subdivision unit to show in the interface and when sending coins.</source> <translation>Scegli l&apos;unità di suddivisione predefinita per l&apos;interfaccia e per l&apos;invio di monete</translation> </message> <message> <location line="+9"/> <source>Whether to show profitcoin addresses in the transaction list or not.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Display addresses in transaction list</source> <translation>&amp;Mostra gli indirizzi nella lista delle transazioni</translation> </message> <message> <location line="+7"/> <source>Whether to show coin control features or not.</source> <translation>Mostrare/non mostrare le funzionalita&apos; di controllo della moneta.</translation> </message> <message> <location line="+3"/> <source>Display coin &amp;control features (experts only!)</source> <translation type="unfinished"/> </message> <message> <location line="+71"/> <source>&amp;OK</source> <translation>&amp;OK</translation> </message> <message> <location line="+7"/> <source>&amp;Cancel</source> <translation>&amp;Cancella</translation> </message> <message> <location line="+10"/> <source>&amp;Apply</source> <translation type="unfinished"/> </message> <message> <location filename="../optionsdialog.cpp" line="+55"/> <source>default</source> <translation>predefinito</translation> </message> <message> <location line="+149"/> <location line="+9"/> <source>Warning</source> <translation type="unfinished"/> </message> <message> <location line="-9"/> <location line="+9"/> <source>This setting will take effect after restarting profitcoin.</source> <translation type="unfinished"/> </message> <message> <location line="+29"/> <source>The supplied proxy address is invalid.</source> <translation>L&apos;indirizzo proxy che hai fornito è invalido.</translation> </message> </context> <context> <name>OverviewPage</name> <message> <location filename="../forms/overviewpage.ui" line="+14"/> <source>Form</source> <translation>Modulo</translation> </message> <message> <location line="+33"/> <location line="+231"/> <source>The displayed information may be out of date. Your wallet automatically synchronizes with the profitcoin network after a connection is established, but this process has not completed yet.</source> <translation type="unfinished"/> </message> <message> <location line="-160"/> <source>Stake:</source> <translation type="unfinished"/> </message> <message> <location line="+29"/> <source>Unconfirmed:</source> <translation type="unfinished"/> </message> <message> <location line="-107"/> <source>Wallet</source> <translation>Portamonete</translation> </message> <message> <location line="+49"/> <source>Spendable:</source> <translation type="unfinished"/> </message> <message> <location line="+16"/> <source>Your current spendable balance</source> <translation>Saldo spendibile attuale</translation> </message> <message> <location line="+71"/> <source>Immature:</source> <translation>Immaturo:</translation> </message> <message> <location line="+13"/> <source>Mined balance that has not yet matured</source> <translation>Importo scavato che non è ancora maturato</translation> </message> <message> <location line="+20"/> <source>Total:</source> <translation>Totale:</translation> </message> <message> <location line="+16"/> <source>Your current total balance</source> <translation>Saldo totale attuale</translation> </message> <message> <location line="+46"/> <source>&lt;b&gt;Recent transactions&lt;/b&gt;</source> <translation>&lt;b&gt;Transazioni recenti&lt;/b&gt;</translation> </message> <message> <location line="-108"/> <source>Total of transactions that have yet to be confirmed, and do not yet count toward the current balance</source> <translation type="unfinished"/> </message> <message> <location line="-29"/> <source>Total of coins that was staked, and do not yet count toward the current balance</source> <translation type="unfinished"/> </message> <message> <location filename="../overviewpage.cpp" line="+113"/> <location line="+1"/> <source>out of sync</source> <translation>fuori sincrono</translation> </message> </context> <context> <name>QRCodeDialog</name> <message> <location filename="../forms/qrcodedialog.ui" line="+14"/> <source>QR Code Dialog</source> <translation type="unfinished"/> </message> <message> <location line="+59"/> <source>Request Payment</source> <translation type="unfinished"/> </message> <message> <location line="+56"/> <source>Amount:</source> <translation type="unfinished"/> </message> <message> <location line="-44"/> <source>Label:</source> <translation type="unfinished"/> </message> <message> <location line="+19"/> <source>Message:</source> <translation type="unfinished"/> </message> <message> <location line="+71"/> <source>&amp;Save As...</source> <translation type="unfinished"/> </message> <message> <location filename="../qrcodedialog.cpp" line="+62"/> <source>Error encoding URI into QR Code.</source> <translation type="unfinished"/> </message> <message> <location line="+40"/> <source>The entered amount is invalid, please check.</source> <translation type="unfinished"/> </message> <message> <location line="+23"/> <source>Resulting URI too long, try to reduce the text for label / message.</source> <translation type="unfinished"/> </message> <message> <location line="+25"/> <source>Save QR Code</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>PNG Images (*.png)</source> <translation type="unfinished"/> </message> </context> <context> <name>RPCConsole</name> <message> <location filename="../forms/rpcconsole.ui" line="+46"/> <source>Client name</source> <translation>Nome del client</translation> </message> <message> <location line="+10"/> <location line="+23"/> <location line="+26"/> <location line="+23"/> <location line="+23"/> <location line="+36"/> <location line="+53"/> <location line="+23"/> <location line="+23"/> <location filename="../rpcconsole.cpp" line="+348"/> <source>N/A</source> <translation>N/D</translation> </message> <message> <location line="-217"/> <source>Client version</source> <translation>Versione client</translation> </message> <message> <location line="-45"/> <source>&amp;Information</source> <translation>&amp;Informazione</translation> </message> <message> <location line="+68"/> <source>Using OpenSSL version</source> <translation>Versione OpenSSL in uso</translation> </message> <message> <location line="+49"/> <source>Startup time</source> <translation>Tempo di avvio</translation> </message> <message> <location line="+29"/> <source>Network</source> <translation>Rete</translation> </message> <message> <location line="+7"/> <source>Number of connections</source> <translation>Numero connessioni</translation> </message> <message> <location line="+23"/> <source>On testnet</source> <translation type="unfinished"/> </message> <message> <location line="+23"/> <source>Block chain</source> <translation>Block chain</translation> </message> <message> <location line="+7"/> <source>Current number of blocks</source> <translation>Numero attuale di blocchi</translation> </message> <message> <location line="+23"/> <source>Estimated total blocks</source> <translation>Numero totale stimato di blocchi</translation> </message> <message> <location line="+23"/> <source>Last block time</source> <translation>Ora dell blocco piu recente</translation> </message> <message> <location line="+52"/> <source>&amp;Open</source> <translation>&amp;Apri</translation> </message> <message> <location line="+16"/> <source>Command-line options</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Show the profitcoin-Qt help message to get a list with possible profitcoin command-line options.</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>&amp;Show</source> <translation type="unfinished"/> </message> <message> <location line="+24"/> <source>&amp;Console</source> <translation>&amp;Console</translation> </message> <message> <location line="-260"/> <source>Build date</source> <translation>Data di creazione</translation> </message> <message> <location line="-104"/> <source>profitcoin - Debug window</source> <translation type="unfinished"/> </message> <message> <location line="+25"/> <source>profitcoin Core</source> <translation type="unfinished"/> </message> <message> <location line="+279"/> <source>Debug log file</source> <translation>File log del Debug</translation> </message> <message> <location line="+7"/> <source>Open the profitcoin debug log file from the current data directory. This can take a few seconds for large log files.</source> <translation type="unfinished"/> </message> <message> <location line="+102"/> <source>Clear console</source> <translation>Svuota console</translation> </message> <message> <location filename="../rpcconsole.cpp" line="-33"/> <source>Welcome to the profitcoin RPC console.</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Use up and down arrows to navigate history, and &lt;b&gt;Ctrl-L&lt;/b&gt; to clear screen.</source> <translation>Usa le frecce direzionali per navigare la cronologia, and &lt;b&gt;Ctrl-L&lt;/b&gt; per cancellarla.</translation> </message> <message> <location line="+1"/> <source>Type &lt;b&gt;help&lt;/b&gt; for an overview of available commands.</source> <translation>Scrivi &lt;b&gt;help&lt;/b&gt; per un riassunto dei comandi disponibili</translation> </message> </context> <context> <name>SendCoinsDialog</name> <message> <location filename="../forms/sendcoinsdialog.ui" line="+14"/> <location filename="../sendcoinsdialog.cpp" line="+182"/> <location line="+5"/> <location line="+5"/> <location line="+5"/> <location line="+6"/> <location line="+5"/> <location line="+5"/> <source>Send Coins</source> <translation>Spedisci Profitcoin</translation> </message> <message> <location line="+76"/> <source>Coin Control Features</source> <translation>Funzionalità di Coin Control</translation> </message> <message> <location line="+20"/> <source>Inputs...</source> <translation>Input...</translation> </message> <message> <location line="+7"/> <source>automatically selected</source> <translation>selezionato automaticamente</translation> </message> <message> <location line="+19"/> <source>Insufficient funds!</source> <translation>Fondi insufficienti!</translation> </message> <message> <location line="+77"/> <source>Quantity:</source> <translation>Quantità:</translation> </message> <message> <location line="+22"/> <location line="+35"/> <source>0</source> <translation type="unfinished"/> </message> <message> <location line="-19"/> <source>Bytes:</source> <translation>Byte:</translation> </message> <message> <location line="+51"/> <source>Amount:</source> <translation>Importo:</translation> </message> <message> <location line="+22"/> <location line="+86"/> <location line="+86"/> <location line="+32"/> <source>0.00 hack</source> <translation type="unfinished"/> </message> <message> <location line="-191"/> <source>Priority:</source> <translation>Priorità:</translation> </message> <message> <location line="+19"/> <source>medium</source> <translation type="unfinished"/> </message> <message> <location line="+32"/> <source>Fee:</source> <translation>Commissione:</translation> </message> <message> <location line="+35"/> <source>Low Output:</source> <translation>Low Output:</translation> </message> <message> <location line="+19"/> <source>no</source> <translation type="unfinished"/> </message> <message> <location line="+32"/> <source>After Fee:</source> <translation>Dopo Commissione:</translation> </message> <message> <location line="+35"/> <source>Change</source> <translation type="unfinished"/> </message> <message> <location line="+50"/> <source>custom change address</source> <translation type="unfinished"/> </message> <message> <location line="+106"/> <source>Send to multiple recipients at once</source> <translation>Spedisci a diversi beneficiari in una volta sola</translation> </message> <message> <location line="+3"/> <source>Add &amp;Recipient</source> <translation>&amp;Aggiungi beneficiario</translation> </message> <message> <location line="+20"/> <source>Remove all transaction fields</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Clear &amp;All</source> <translation>Cancella &amp;tutto</translation> </message> <message> <location line="+28"/> <source>Balance:</source> <translation>Saldo:</translation> </message> <message> <location line="+16"/> <source>123.456 hack</source> <translation type="unfinished"/> </message> <message> <location line="+31"/> <source>Confirm the send action</source> <translation>Conferma la spedizione</translation> </message> <message> <location line="+3"/> <source>S&amp;end</source> <translation>&amp;Spedisci</translation> </message> <message> <location filename="../sendcoinsdialog.cpp" line="-173"/> <source>Enter a profitcoin address (e.g. EakqhrmwJuHG22WirpfBvQMMUuisWZNzrP)</source> <translation type="unfinished"/> </message> <message> <location line="+15"/> <source>Copy quantity</source> <translation>Copia quantità</translation> </message> <message> <location line="+1"/> <source>Copy amount</source> <translation>Copia l&apos;importo</translation> </message> <message> <location line="+1"/> <source>Copy fee</source> <translation>Copia commissione</translation> </message> <message> <location line="+1"/> <source>Copy after fee</source> <translation>Copia dopo commissione</translation> </message> <message> <location line="+1"/> <source>Copy bytes</source> <translation>Copia byte</translation> </message> <message> <location line="+1"/> <source>Copy priority</source> <translation>Copia priorità</translation> </message> <message> <location line="+1"/> <source>Copy low output</source> <translation>Copia low output</translation> </message> <message> <location line="+1"/> <source>Copy change</source> <translation>Copia resto</translation> </message> <message> <location line="+86"/> <source>&lt;b&gt;%1&lt;/b&gt; to %2 (%3)</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Confirm send coins</source> <translation>Conferma la spedizione di profitcoin</translation> </message> <message> <location line="+1"/> <source>Are you sure you want to send %1?</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source> and </source> <translation type="unfinished"/> </message> <message> <location line="+29"/> <source>The recipient address is not valid, please recheck.</source> <translation>L&apos;indirizzo del beneficiario non è valido, per cortesia controlla.</translation> </message> <message> <location line="+5"/> <source>The amount to pay must be larger than 0.</source> <translation>L&apos;importo da pagare dev&apos;essere maggiore di 0.</translation> </message> <message> <location line="+5"/> <source>The amount exceeds your balance.</source> <translation>L&apos;importo è superiore al saldo attuale</translation> </message> <message> <location line="+5"/> <source>The total exceeds your balance when the %1 transaction fee is included.</source> <translation>Il totale è superiore al saldo attuale includendo la commissione %1.</translation> </message> <message> <location line="+6"/> <source>Duplicate address found, can only send to each address once per send operation.</source> <translation>Trovato un indirizzo doppio, si può spedire solo una volta a ciascun indirizzo in una singola operazione.</translation> </message> <message> <location line="+5"/> <source>Error: Transaction creation failed.</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Error: The transaction was rejected. This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.</source> <translation type="unfinished"/> </message> <message> <location line="+251"/> <source>WARNING: Invalid profitcoin address</source> <translation type="unfinished"/> </message> <message> <location line="+13"/> <source>(no label)</source> <translation>(nessuna etichetta)</translation> </message> <message> <location line="+4"/> <source>WARNING: unknown change address</source> <translation type="unfinished"/> </message> </context> <context> <name>SendCoinsEntry</name> <message> <location filename="../forms/sendcoinsentry.ui" line="+14"/> <source>Form</source> <translation type="unfinished"/> </message> <message> <location line="+15"/> <source>A&amp;mount:</source> <translation>&amp;Importo:</translation> </message> <message> <location line="+13"/> <source>Pay &amp;To:</source> <translation>Paga &amp;a:</translation> </message> <message> <location line="+24"/> <location filename="../sendcoinsentry.cpp" line="+25"/> <source>Enter a label for this address to add it to your address book</source> <translation>Inserisci un&apos;etichetta per questo indirizzo, per aggiungerlo nella rubrica</translation> </message> <message> <location line="+9"/> <source>&amp;Label:</source> <translation>&amp;Etichetta</translation> </message> <message> <location line="+18"/> <source>The address to send the payment to (e.g. EakqhrmwJuHG22WirpfBvQMMUuisWZNzrP)</source> <translation type="unfinished"/> </message> <message> <location line="+10"/> <source>Choose address from address book</source> <translation type="unfinished"/> </message> <message> <location line="+10"/> <source>Alt+A</source> <translation>Alt+A</translation> </message> <message> <location line="+7"/> <source>Paste address from clipboard</source> <translation>Incollare l&apos;indirizzo dagli appunti</translation> </message> <message> <location line="+10"/> <source>Alt+P</source> <translation>Alt+P</translation> </message> <message> <location line="+7"/> <source>Remove this recipient</source> <translation type="unfinished"/> </message> <message> <location filename="../sendcoinsentry.cpp" line="+1"/> <source>Enter a profitcoin address (e.g. EakqhrmwJuHG22WirpfBvQMMUuisWZNzrP)</source> <translation type="unfinished"/> </message> </context> <context> <name>SignVerifyMessageDialog</name> <message> <location filename="../forms/signverifymessagedialog.ui" line="+14"/> <source>Signatures - Sign / Verify a Message</source> <translation>Firme - Firma / Verifica un messaggio</translation> </message> <message> <location line="+13"/> <location line="+124"/> <source>&amp;Sign Message</source> <translation>&amp;Firma il messaggio</translation> </message> <message> <location line="-118"/> <source>You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to.</source> <translation>Puoi firmare messeggi con i tuoi indirizzi per dimostrare che sono tuoi. Fai attenzione a non firmare niente di vago, visto che gli attacchi di phishing potrebbero cercare di spingerti a mettere la tua firma su di loro. Firma solo dichiarazioni completamente dettagliate con cui sei d&apos;accordo.</translation> </message> <message> <location line="+18"/> <source>The address to sign the message with (e.g. EakqhrmwJuHG22WirpfBvQMMUuisWZNzrP)</source> <translation type="unfinished"/> </message> <message> <location line="+10"/> <location line="+203"/> <source>Choose an address from the address book</source> <translation type="unfinished"/> </message> <message> <location line="-193"/> <location line="+203"/> <source>Alt+A</source> <translation>Alt+A</translation> </message> <message> <location line="-193"/> <source>Paste address from clipboard</source> <translation>Incollare l&apos;indirizzo dagli appunti</translation> </message> <message> <location line="+10"/> <source>Alt+P</source> <translation>Alt+P</translation> </message> <message> <location line="+12"/> <source>Enter the message you want to sign here</source> <translation>Inserisci qui il messaggio che vuoi firmare</translation> </message> <message> <location line="+24"/> <source>Copy the current signature to the system clipboard</source> <translation>Copia la firma corrente nella clipboard</translation> </message> <message> <location line="+21"/> <source>Sign the message to prove you own this profitcoin address</source> <translation type="unfinished"/> </message> <message> <location line="+17"/> <source>Reset all sign message fields</source> <translation>Reimposta tutti i campi della firma</translation> </message> <message> <location line="+3"/> <location line="+146"/> <source>Clear &amp;All</source> <translation>Cancella &amp;tutto</translation> </message> <message> <location line="-87"/> <location line="+70"/> <source>&amp;Verify Message</source> <translation>&amp;Verifica Messaggio</translation> </message> <message> <location line="-64"/> <source>Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack.</source> <translation>Inserisci l&apos;indirizzo per la firma, il messaggio (verifica di copiare esattamente anche i ritorni a capo, gli spazi, le tabulazioni, etc) e la firma qui sotto, per verificare il messaggio. Verifica che il contenuto della firma non sia più grande di quello del messaggio per evitare attacchi di tipo man-in-the-middle.</translation> </message> <message> <location line="+21"/> <source>The address the message was signed with (e.g. EakqhrmwJuHG22WirpfBvQMMUuisWZNzrP)</source> <translation type="unfinished"/> </message> <message> <location line="+40"/> <source>Verify the message to ensure it was signed with the specified profitcoin address</source> <translation type="unfinished"/> </message> <message> <location line="+17"/> <source>Reset all verify message fields</source> <translation>Reimposta tutti i campi della verifica messaggio</translation> </message> <message> <location filename="../signverifymessagedialog.cpp" line="+27"/> <location line="+3"/> <source>Enter a profitcoin address (e.g. EakqhrmwJuHG22WirpfBvQMMUuisWZNzrP)</source> <translation type="unfinished"/> </message> <message> <location line="-2"/> <source>Click &quot;Sign Message&quot; to generate signature</source> <translation>Clicca &quot;Firma il messaggio&quot; per ottenere la firma</translation> </message> <message> <location line="+3"/> <source>Enter profitcoin signature</source> <translation type="unfinished"/> </message> <message> <location line="+82"/> <location line="+81"/> <source>The entered address is invalid.</source> <translation>L&apos;indirizzo inserito non è valido.</translation> </message> <message> <location line="-81"/> <location line="+8"/> <location line="+73"/> <location line="+8"/> <source>Please check the address and try again.</source> <translation>Per favore controlla l&apos;indirizzo e prova ancora</translation> </message> <message> <location line="-81"/> <location line="+81"/> <source>The entered address does not refer to a key.</source> <translation>L&apos;indirizzo profitcoin inserito non è associato a nessuna chiave.</translation> </message> <message> <location line="-73"/> <source>Wallet unlock was cancelled.</source> <translation>Sblocco del portafoglio annullato.</translation> </message> <message> <location line="+8"/> <source>Private key for the entered address is not available.</source> <translation>La chiave privata per l&apos;indirizzo inserito non è disponibile.</translation> </message> <message> <location line="+12"/> <source>Message signing failed.</source> <translation>Firma messaggio fallita.</translation> </message> <message> <location line="+5"/> <source>Message signed.</source> <translation>Messaggio firmato.</translation> </message> <message> <location line="+59"/> <source>The signature could not be decoded.</source> <translation>Non è stato possibile decodificare la firma.</translation> </message> <message> <location line="+0"/> <location line="+13"/> <source>Please check the signature and try again.</source> <translation>Per favore controlla la firma e prova ancora.</translation> </message> <message> <location line="+0"/> <source>The signature did not match the message digest.</source> <translation>La firma non corrisponde al sunto del messaggio.</translation> </message> <message> <location line="+7"/> <source>Message verification failed.</source> <translation>Verifica messaggio fallita.</translation> </message> <message> <location line="+5"/> <source>Message verified.</source> <translation>Messaggio verificato.</translation> </message> </context> <context> <name>TransactionDesc</name> <message> <location filename="../transactiondesc.cpp" line="+19"/> <source>Open until %1</source> <translation>Aperto fino a %1</translation> </message> <message numerus="yes"> <location line="-2"/> <source>Open for %n block(s)</source> <translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation> </message> <message> <location line="+8"/> <source>conflicted</source> <translation>in conflitto</translation> </message> <message> <location line="+2"/> <source>%1/offline</source> <translation>%1/offline</translation> </message> <message> <location line="+2"/> <source>%1/unconfirmed</source> <translation>%1/non confermato</translation> </message> <message> <location line="+2"/> <source>%1 confirmations</source> <translation>%1 conferme</translation> </message> <message> <location line="+18"/> <source>Status</source> <translation>Stato</translation> </message> <message numerus="yes"> <location line="+7"/> <source>, broadcast through %n node(s)</source> <translation><numerusform>, trasmesso attraverso %n nodo</numerusform><numerusform>, trasmesso attraverso %n nodi</numerusform></translation> </message> <message> <location line="+4"/> <source>Date</source> <translation>Data</translation> </message> <message> <location line="+7"/> <source>Source</source> <translation>Sorgente</translation> </message> <message> <location line="+0"/> <source>Generated</source> <translation>Generato</translation> </message> <message> <location line="+5"/> <location line="+17"/> <source>From</source> <translation>Da</translation> </message> <message> <location line="+1"/> <location line="+22"/> <location line="+58"/> <source>To</source> <translation>A</translation> </message> <message> <location line="-77"/> <location line="+2"/> <source>own address</source> <translation>proprio indirizzo</translation> </message> <message> <location line="-2"/> <source>label</source> <translation>etichetta</translation> </message> <message> <location line="+37"/> <location line="+12"/> <location line="+45"/> <location line="+17"/> <location line="+30"/> <source>Credit</source> <translation>Credito</translation> </message> <message numerus="yes"> <location line="-102"/> <source>matures in %n more block(s)</source> <translation><numerusform>matura in %n ulteriore blocco</numerusform><numerusform>matura in altri %n blocchi</numerusform></translation> </message> <message> <location line="+2"/> <source>not accepted</source> <translation>non accettate</translation> </message> <message> <location line="+44"/> <location line="+8"/> <location line="+15"/> <location line="+30"/> <source>Debit</source> <translation>Debito</translation> </message> <message> <location line="-39"/> <source>Transaction fee</source> <translation>Commissione transazione</translation> </message> <message> <location line="+16"/> <source>Net amount</source> <translation>Importo netto</translation> </message> <message> <location line="+6"/> <source>Message</source> <translation>Messaggio</translation> </message> <message> <location line="+2"/> <source>Comment</source> <translation>Commento</translation> </message> <message> <location line="+2"/> <source>Transaction ID</source> <translation>ID della transazione</translation> </message> <message> <location line="+3"/> <source>Generated coins must mature 510 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to &quot;not accepted&quot; and it won&apos;t be spendable. This may occasionally happen if another node generates a block within a few seconds of yours.</source> <translation type="unfinished"/> </message> <message> <location line="+7"/> <source>Debug information</source> <translation>Informazione di debug</translation> </message> <message> <location line="+8"/> <source>Transaction</source> <translation>Transazione</translation> </message> <message> <location line="+5"/> <source>Inputs</source> <translation>Input</translation> </message> <message> <location line="+23"/> <source>Amount</source> <translation>Importo</translation> </message> <message> <location line="+1"/> <source>true</source> <translation>vero</translation> </message> <message> <location line="+0"/> <source>false</source> <translation>falso</translation> </message> <message> <location line="-211"/> <source>, has not been successfully broadcast yet</source> <translation>, non è stato ancora trasmesso con successo</translation> </message> <message> <location line="+35"/> <source>unknown</source> <translation>sconosciuto</translation> </message> </context> <context> <name>TransactionDescDialog</name> <message> <location filename="../forms/transactiondescdialog.ui" line="+14"/> <source>Transaction details</source> <translation>Dettagli sulla transazione</translation> </message> <message> <location line="+6"/> <source>This pane shows a detailed description of the transaction</source> <translation>Questo pannello mostra una descrizione dettagliata della transazione</translation> </message> </context> <context> <name>TransactionTableModel</name> <message> <location filename="../transactiontablemodel.cpp" line="+226"/> <source>Date</source> <translation>Data</translation> </message> <message> <location line="+0"/> <source>Type</source> <translation>Tipo</translation> </message> <message> <location line="+0"/> <source>Address</source> <translation>Indirizzo</translation> </message> <message> <location line="+0"/> <source>Amount</source> <translation>Importo</translation> </message> <message> <location line="+60"/> <source>Open until %1</source> <translation>Aperto fino a %1</translation> </message> <message> <location line="+12"/> <source>Confirmed (%1 confirmations)</source> <translation>Confermato (%1 conferme)</translation> </message> <message numerus="yes"> <location line="-15"/> <source>Open for %n more block(s)</source> <translation><numerusform>Aperto per %n altro blocco</numerusform><numerusform>Aperto per altri %n blocchi</numerusform></translation> </message> <message> <location line="+6"/> <source>Offline</source> <translation>Offline</translation> </message> <message> <location line="+3"/> <source>Unconfirmed</source> <translation>Non confermato:</translation> </message> <message> <location line="+3"/> <source>Confirming (%1 of %2 recommended confirmations)</source> <translation>In conferma (%1 di %2 conferme raccomandate)</translation> </message> <message> <location line="+6"/> <source>Conflicted</source> <translation>In conflitto</translation> </message> <message> <location line="+3"/> <source>Immature (%1 confirmations, will be available after %2)</source> <translation>Immaturo (%1 conferme, sarà disponibile fra %2)</translation> </message> <message> <location line="+3"/> <source>This block was not received by any other nodes and will probably not be accepted!</source> <translation>Questo blocco non è stato ricevuto da altri nodi e probabilmente non sarà accettato!</translation> </message> <message> <location line="+3"/> <source>Generated but not accepted</source> <translation>Generati, ma non accettati</translation> </message> <message> <location line="+42"/> <source>Received with</source> <translation>Ricevuto tramite</translation> </message> <message> <location line="+2"/> <source>Received from</source> <translation>Ricevuto da</translation> </message> <message> <location line="+3"/> <source>Sent to</source> <translation>Spedito a</translation> </message> <message> <location line="+2"/> <source>Payment to yourself</source> <translation>Pagamento a te stesso</translation> </message> <message> <location line="+2"/> <source>Mined</source> <translation>Ottenuto dal mining</translation> </message> <message> <location line="+38"/> <source>(n/a)</source> <translation>(N / a)</translation> </message> <message> <location line="+190"/> <source>Transaction status. Hover over this field to show number of confirmations.</source> <translation>Stato della transazione. Passare con il mouse su questo campo per vedere il numero di conferme.</translation> </message> <message> <location line="+2"/> <source>Date and time that the transaction was received.</source> <translation>Data e ora in cui la transazione è stata ricevuta.</translation> </message> <message> <location line="+2"/> <source>Type of transaction.</source> <translation>Tipo di transazione.</translation> </message> <message> <location line="+2"/> <source>Destination address of transaction.</source> <translation>Indirizzo di destinazione della transazione.</translation> </message> <message> <location line="+2"/> <source>Amount removed from or added to balance.</source> <translation>Importo rimosso o aggiunto al saldo.</translation> </message> </context> <context> <name>TransactionView</name> <message> <location filename="../transactionview.cpp" line="+55"/> <location line="+16"/> <source>All</source> <translation>Tutti</translation> </message> <message> <location line="-15"/> <source>Today</source> <translation>Oggi</translation> </message> <message> <location line="+1"/> <source>This week</source> <translation>Questa settimana</translation> </message> <message> <location line="+1"/> <source>This month</source> <translation>Questo mese</translation> </message> <message> <location line="+1"/> <source>Last month</source> <translation>Il mese scorso</translation> </message> <message> <location line="+1"/> <source>This year</source> <translation>Quest&apos;anno</translation> </message> <message> <location line="+1"/> <source>Range...</source> <translation>Intervallo...</translation> </message> <message> <location line="+11"/> <source>Received with</source> <translation>Ricevuto tramite</translation> </message> <message> <location line="+2"/> <source>Sent to</source> <translation>Spedito a</translation> </message> <message> <location line="+2"/> <source>To yourself</source> <translation>A te</translation> </message> <message> <location line="+1"/> <source>Mined</source> <translation>Ottenuto dal mining</translation> </message> <message> <location line="+1"/> <source>Other</source> <translation>Altro</translation> </message> <message> <location line="+7"/> <source>Enter address or label to search</source> <translation>Inserisci un indirizzo o un&apos;etichetta da cercare</translation> </message> <message> <location line="+7"/> <source>Min amount</source> <translation>Importo minimo</translation> </message> <message> <location line="+34"/> <source>Copy address</source> <translation>Copia l&apos;indirizzo</translation> </message> <message> <location line="+1"/> <source>Copy label</source> <translation>Copia l&apos;etichetta</translation> </message> <message> <location line="+1"/> <source>Copy amount</source> <translation>Copia l&apos;importo</translation> </message> <message> <location line="+1"/> <source>Copy transaction ID</source> <translation>Copia l&apos;ID transazione</translation> </message> <message> <location line="+1"/> <source>Edit label</source> <translation>Modifica l&apos;etichetta</translation> </message> <message> <location line="+1"/> <source>Show transaction details</source> <translation>Mostra i dettagli della transazione</translation> </message> <message> <location line="+144"/> <source>Export Transaction Data</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Comma separated file (*.csv)</source> <translation>Testo CSV (*.csv)</translation> </message> <message> <location line="+8"/> <source>Confirmed</source> <translation>Confermato</translation> </message> <message> <location line="+1"/> <source>Date</source> <translation>Data</translation> </message> <message> <location line="+1"/> <source>Type</source> <translation>Tipo</translation> </message> <message> <location line="+1"/> <source>Label</source> <translation>Etichetta</translation> </message> <message> <location line="+1"/> <source>Address</source> <translation>Indirizzo</translation> </message> <message> <location line="+1"/> <source>Amount</source> <translation>Importo</translation> </message> <message> <location line="+1"/> <source>ID</source> <translation>ID</translation> </message> <message> <location line="+4"/> <source>Error exporting</source> <translation type="unfinished"/> </message> <message> <location line="+0"/> <source>Could not write to file %1.</source> <translation type="unfinished"/> </message> <message> <location line="+100"/> <source>Range:</source> <translation>Intervallo:</translation> </message> <message> <location line="+8"/> <source>to</source> <translation>a</translation> </message> </context> <context> <name>WalletModel</name> <message> <location filename="../walletmodel.cpp" line="+206"/> <source>Sending...</source> <translation type="unfinished"/> </message> </context> <context> <name>profitcoin-core</name> <message> <location filename="../profitcoinstrings.cpp" line="+33"/> <source>profitcoin version</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Usage:</source> <translation>Utilizzo:</translation> </message> <message> <location line="+1"/> <source>Send command to -server or profitcoind</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>List commands</source> <translation>Lista comandi </translation> </message> <message> <location line="+1"/> <source>Get help for a command</source> <translation>Aiuto su un comando </translation> </message> <message> <location line="+2"/> <source>Options:</source> <translation>Opzioni: </translation> </message> <message> <location line="+2"/> <source>Specify configuration file (default: profitcoin.conf)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Specify pid file (default: profitcoind.pid)</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Specify wallet file (within data directory)</source> <translation>Specifica il file portafoglio (nella cartella dati)</translation> </message> <message> <location line="-1"/> <source>Specify data directory</source> <translation>Specifica la cartella dati </translation> </message> <message> <location line="+2"/> <source>Set database cache size in megabytes (default: 25)</source> <translation>Imposta la dimensione cache del database in megabyte (predefinita: 25)</translation> </message> <message> <location line="+1"/> <source>Set database disk log size in megabytes (default: 100)</source> <translation type="unfinished"/> </message> <message> <location line="+6"/> <source>Listen for connections on &lt;port&gt; (default: 15714 or testnet: 25714)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Maintain at most &lt;n&gt; connections to peers (default: 125)</source> <translation>Mantieni al massimo &lt;n&gt; connessioni ai peer (predefinite: 125)</translation> </message> <message> <location line="+3"/> <source>Connect to a node to retrieve peer addresses, and disconnect</source> <translation>Connessione ad un nodo per ricevere l&apos;indirizzo del peer, e disconnessione</translation> </message> <message> <location line="+1"/> <source>Specify your own public address</source> <translation>Specifica il tuo indirizzo pubblico</translation> </message> <message> <location line="+5"/> <source>Bind to given address. Use [host]:port notation for IPv6</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Stake your coins to support network and gain reward (default: 1)</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Threshold for disconnecting misbehaving peers (default: 100)</source> <translation>Soglia di disconnessione dei peer di cattiva qualità (predefinita: 100)</translation> </message> <message> <location line="+1"/> <source>Number of seconds to keep misbehaving peers from reconnecting (default: 86400)</source> <translation>Numero di secondi di sospensione che i peer di cattiva qualità devono trascorrere prima di riconnettersi (predefiniti: 86400)</translation> </message> <message> <location line="-44"/> <source>An error occurred while setting up the RPC port %u for listening on IPv4: %s</source> <translation>Errore riscontrato durante l&apos;impostazione della porta RPC %u per l&apos;ascolto su IPv4: %s</translation> </message> <message> <location line="+51"/> <source>Detach block and address databases. Increases shutdown time (default: 0)</source> <translation type="unfinished"/> </message> <message> <location line="+109"/> <source>Error: The transaction was rejected. This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.</source> <translation type="unfinished"/> </message> <message> <location line="-5"/> <source>Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds </source> <translation type="unfinished"/> </message> <message> <location line="-87"/> <source>Listen for JSON-RPC connections on &lt;port&gt; (default: 15715 or testnet: 25715)</source> <translation type="unfinished"/> </message> <message> <location line="-11"/> <source>Accept command line and JSON-RPC commands</source> <translation>Accetta da linea di comando e da comandi JSON-RPC </translation> </message> <message> <location line="+101"/> <source>Error: Transaction creation failed </source> <translation type="unfinished"/> </message> <message> <location line="-5"/> <source>Error: Wallet locked, unable to create transaction </source> <translation type="unfinished"/> </message> <message> <location line="-8"/> <source>Importing blockchain data file.</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Importing bootstrap blockchain data file.</source> <translation type="unfinished"/> </message> <message> <location line="-88"/> <source>Run in the background as a daemon and accept commands</source> <translation>Esegui in background come demone e accetta i comandi </translation> </message> <message> <location line="+1"/> <source>Use the test network</source> <translation>Utilizza la rete di prova </translation> </message> <message> <location line="-24"/> <source>Accept connections from outside (default: 1 if no -proxy or -connect)</source> <translation>Accetta connessioni dall&apos;esterno (predefinito: 1 se no -proxy o -connect)</translation> </message> <message> <location line="-38"/> <source>An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s</source> <translation>Errore riscontrato durante l&apos;impostazione della porta RPC %u per l&apos;ascolto su IPv6, tornando su IPv4: %s</translation> </message> <message> <location line="+117"/> <source>Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat.</source> <translation type="unfinished"/> </message> <message> <location line="-20"/> <source>Set maximum size of high-priority/low-fee transactions in bytes (default: 27000)</source> <translation type="unfinished"/> </message> <message> <location line="+11"/> <source>Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction.</source> <translation>Attenzione: -paytxfee è molto alta. Questa è la commissione che si paga quando si invia una transazione.</translation> </message> <message> <location line="+61"/> <source>Warning: Please check that your computer&apos;s date and time are correct! If your clock is wrong profitcoin will not work properly.</source> <translation type="unfinished"/> </message> <message> <location line="-31"/> <source>Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect.</source> <translation>Attenzione: errore di lettura di wallet.dat! Tutte le chiave lette correttamente, ma i dati delle transazioni o le voci in rubrica potrebbero mancare o non essere corretti.</translation> </message> <message> <location line="-18"/> <source>Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup.</source> <translation>Attenzione: wallet.dat corrotto, dati salvati! Il wallet.dat originale salvato come wallet.{timestamp}.bak in %s; se il tuo bilancio o le transazioni non sono corrette dovresti ripristinare da un backup.</translation> </message> <message> <location line="-30"/> <source>Attempt to recover private keys from a corrupt wallet.dat</source> <translation>Tenta di recuperare le chiavi private da un wallet.dat corrotto</translation> </message> <message> <location line="+4"/> <source>Block creation options:</source> <translation>Opzioni creazione blocco:</translation> </message> <message> <location line="-62"/> <source>Connect only to the specified node(s)</source> <translation>Connetti solo al nodo specificato</translation> </message> <message> <location line="+4"/> <source>Discover own IP address (default: 1 when listening and no -externalip)</source> <translation>Scopri proprio indirizzo IP (predefinito: 1 se in ascolto e no -externalip)</translation> </message> <message> <location line="+94"/> <source>Failed to listen on any port. Use -listen=0 if you want this.</source> <translation>Impossibile mettersi in ascolto su una porta. Usa -listen=0 se vuoi usare questa opzione.</translation> </message> <message> <location line="-90"/> <source>Find peers using DNS lookup (default: 1)</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Sync checkpoints policy (default: strict)</source> <translation type="unfinished"/> </message> <message> <location line="+83"/> <source>Invalid -tor address: &apos;%s&apos;</source> <translation type="unfinished"/> </message> <message> <location line="+4"/> <source>Invalid amount for -reservebalance=&lt;amount&gt;</source> <translation type="unfinished"/> </message> <message> <location line="-82"/> <source>Maximum per-connection receive buffer, &lt;n&gt;*1000 bytes (default: 5000)</source> <translation>Buffer di ricezione massimo per connessione, &lt;n&gt;*1000 byte (predefinito: 5000)</translation> </message> <message> <location line="+1"/> <source>Maximum per-connection send buffer, &lt;n&gt;*1000 bytes (default: 1000)</source> <translation>Buffer di invio massimo per connessione, &lt;n&gt;*1000 byte (predefinito: 1000)</translation> </message> <message> <location line="-16"/> <source>Only connect to nodes in network &lt;net&gt; (IPv4, IPv6 or Tor)</source> <translation>Connetti solo a nodi nella rete &lt;net&gt; (IPv4, IPv6 o Tor)</translation> </message> <message> <location line="+28"/> <source>Output extra debugging information. Implies all other -debug* options</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Output extra network debugging information</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Prepend debug output with timestamp</source> <translation type="unfinished"/> </message> <message> <location line="+35"/> <source>SSL options: (see the Profitcoin Wiki for SSL setup instructions)</source> <translation>Opzioni SSL: (vedi il wiki di Profitcoin per le istruzioni di configurazione SSL)</translation> </message> <message> <location line="-74"/> <source>Select the version of socks proxy to use (4-5, default: 5)</source> <translation type="unfinished"/> </message> <message> <location line="+41"/> <source>Send trace/debug info to console instead of debug.log file</source> <translation>Invia le informazioni di trace/debug alla console invece che al file debug.log</translation> </message> <message> <location line="+1"/> <source>Send trace/debug info to debugger</source> <translation type="unfinished"/> </message> <message> <location line="+28"/> <source>Set maximum block size in bytes (default: 250000)</source> <translation type="unfinished"/> </message> <message> <location line="-1"/> <source>Set minimum block size in bytes (default: 0)</source> <translation>Imposta dimensione minima del blocco in bytes (predefinita: 0)</translation> </message> <message> <location line="-29"/> <source>Shrink debug.log file on client startup (default: 1 when no -debug)</source> <translation>Riduci il file debug.log all&apos;avvio del client (predefinito: 1 se non impostato -debug)</translation> </message> <message> <location line="-42"/> <source>Specify connection timeout in milliseconds (default: 5000)</source> <translation>Specifica il timeout di connessione in millisecondi (predefinito: 5000)</translation> </message> <message> <location line="+109"/> <source>Unable to sign checkpoint, wrong checkpointkey? </source> <translation type="unfinished"/> </message> <message> <location line="-80"/> <source>Use UPnP to map the listening port (default: 0)</source> <translation>Usa UPnP per mappare la porta in ascolto (predefinito: 0)</translation> </message> <message> <location line="-1"/> <source>Use UPnP to map the listening port (default: 1 when listening)</source> <translation>Usa UPnP per mappare la porta in ascolto (predefinito: 1 when listening)</translation> </message> <message> <location line="-25"/> <source>Use proxy to reach tor hidden services (default: same as -proxy)</source> <translation type="unfinished"/> </message> <message> <location line="+42"/> <source>Username for JSON-RPC connections</source> <translation>Nome utente per connessioni JSON-RPC </translation> </message> <message> <location line="+47"/> <source>Verifying database integrity...</source> <translation type="unfinished"/> </message> <message> <location line="+57"/> <source>WARNING: syncronized checkpoint violation detected, but skipped!</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Warning: Disk space is low!</source> <translation type="unfinished"/> </message> <message> <location line="-2"/> <source>Warning: This version is obsolete, upgrade required!</source> <translation>Attenzione: questa versione è obsoleta, aggiornamento necessario!</translation> </message> <message> <location line="-48"/> <source>wallet.dat corrupt, salvage failed</source> <translation>wallet.dat corrotto, salvataggio fallito</translation> </message> <message> <location line="-54"/> <source>Password for JSON-RPC connections</source> <translation>Password per connessioni JSON-RPC </translation> </message> <message> <location line="-84"/> <source>%s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: rpcuser=profitcoinrpc rpcpassword=%s (you do not need to remember this password) The username and password MUST NOT be the same. If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; for example: alertnotify=echo %%s | mail -s &quot;profitcoin Alert&quot; [email protected] </source> <translation type="unfinished"/> </message> <message> <location line="+51"/> <source>Find peers using internet relay chat (default: 0)</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1)</source> <translation type="unfinished"/> </message> <message> <location line="+15"/> <source>When creating transactions, ignore inputs with value less than this (default: 0.01)</source> <translation type="unfinished"/> </message> <message> <location line="+16"/> <source>Allow JSON-RPC connections from specified IP address</source> <translation>Consenti connessioni JSON-RPC dall&apos;indirizzo IP specificato </translation> </message> <message> <location line="+1"/> <source>Send commands to node running on &lt;ip&gt; (default: 127.0.0.1)</source> <translation>Inviare comandi al nodo in esecuzione su &lt;ip&gt; (predefinito: 127.0.0.1)</translation> </message> <message> <location line="+1"/> <source>Execute command when the best block changes (%s in cmd is replaced by block hash)</source> <translation>Esegui il comando quando il miglior block cambia(%s nel cmd è sostituito dall&apos;hash del blocco)</translation> </message> <message> <location line="+3"/> <source>Execute command when a wallet transaction changes (%s in cmd is replaced by TxID)</source> <translation>Esegui comando quando una transazione del portafoglio cambia (%s in cmd è sostituito da TxID)</translation> </message> <message> <location line="+3"/> <source>Require a confirmations for change (default: 0)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Enforce transaction scripts to use canonical PUSH operators (default: 1)</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Execute command when a relevant alert is received (%s in cmd is replaced by message)</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Upgrade wallet to latest format</source> <translation>Aggiorna il wallet all&apos;ultimo formato</translation> </message> <message> <location line="+1"/> <source>Set key pool size to &lt;n&gt; (default: 100)</source> <translation>Impostare la quantità di chiavi di riserva a &lt;n&gt; (predefinita: 100)</translation> </message> <message> <location line="+1"/> <source>Rescan the block chain for missing wallet transactions</source> <translation>Ripeti analisi della catena dei blocchi per cercare le transazioni mancanti dal portamonete </translation> </message> <message> <location line="+2"/> <source>How many blocks to check at startup (default: 2500, 0 = all)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>How thorough the block verification is (0-6, default: 1)</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Imports blocks from external blk000?.dat file</source> <translation type="unfinished"/> </message> <message> <location line="+8"/> <source>Use OpenSSL (https) for JSON-RPC connections</source> <translation>Utilizzare OpenSSL (https) per le connessioni JSON-RPC </translation> </message> <message> <location line="+1"/> <source>Server certificate file (default: server.cert)</source> <translation>File certificato del server (predefinito: server.cert)</translation> </message> <message> <location line="+1"/> <source>Server private key (default: server.pem)</source> <translation>Chiave privata del server (predefinito: server.pem)</translation> </message> <message> <location line="+1"/> <source>Acceptable ciphers (default: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH)</source> <translation type="unfinished"/> </message> <message> <location line="+53"/> <source>Error: Wallet unlocked for staking only, unable to create transaction.</source> <translation type="unfinished"/> </message> <message> <location line="+18"/> <source>WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers.</source> <translation type="unfinished"/> </message> <message> <location line="-158"/> <source>This help message</source> <translation>Questo messaggio di aiuto </translation> </message> <message> <location line="+95"/> <source>Wallet %s resides outside data directory %s.</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Cannot obtain a lock on data directory %s. profitcoin is probably already running.</source> <translation type="unfinished"/> </message> <message> <location line="-98"/> <source>profitcoin</source><|fim▁hole|> <source>Unable to bind to %s on this computer (bind returned error %d, %s)</source> <translation>Impossibile collegarsi alla %s su questo computer (bind returned error %d, %s)</translation> </message> <message> <location line="-130"/> <source>Connect through socks proxy</source> <translation type="unfinished"/> </message> <message> <location line="+3"/> <source>Allow DNS lookups for -addnode, -seednode and -connect</source> <translation>Consenti ricerche DNS per aggiungere nodi e collegare </translation> </message> <message> <location line="+122"/> <source>Loading addresses...</source> <translation>Caricamento indirizzi...</translation> </message> <message> <location line="-15"/> <source>Error loading blkindex.dat</source> <translation type="unfinished"/> </message> <message> <location line="+2"/> <source>Error loading wallet.dat: Wallet corrupted</source> <translation>Errore caricamento wallet.dat: Wallet corrotto</translation> </message> <message> <location line="+4"/> <source>Error loading wallet.dat: Wallet requires newer version of profitcoin</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Wallet needed to be rewritten: restart profitcoin to complete</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Error loading wallet.dat</source> <translation>Errore caricamento wallet.dat</translation> </message> <message> <location line="-16"/> <source>Invalid -proxy address: &apos;%s&apos;</source> <translation>Indirizzo -proxy non valido: &apos;%s&apos;</translation> </message> <message> <location line="-1"/> <source>Unknown network specified in -onlynet: &apos;%s&apos;</source> <translation>Rete sconosciuta specificata in -onlynet: &apos;%s&apos;</translation> </message> <message> <location line="-1"/> <source>Unknown -socks proxy version requested: %i</source> <translation>Versione -socks proxy sconosciuta richiesta: %i</translation> </message> <message> <location line="+4"/> <source>Cannot resolve -bind address: &apos;%s&apos;</source> <translation>Impossibile risolvere -bind address: &apos;%s&apos;</translation> </message> <message> <location line="+2"/> <source>Cannot resolve -externalip address: &apos;%s&apos;</source> <translation>Impossibile risolvere indirizzo -externalip: &apos;%s&apos;</translation> </message> <message> <location line="-24"/> <source>Invalid amount for -paytxfee=&lt;amount&gt;: &apos;%s&apos;</source> <translation>Importo non valido per -paytxfee=&lt;amount&gt;: &apos;%s&apos;</translation> </message> <message> <location line="+44"/> <source>Error: could not start node</source> <translation type="unfinished"/> </message> <message> <location line="+11"/> <source>Sending...</source> <translation type="unfinished"/> </message> <message> <location line="+5"/> <source>Invalid amount</source> <translation>Importo non valido</translation> </message> <message> <location line="+1"/> <source>Insufficient funds</source> <translation>Fondi insufficienti</translation> </message> <message> <location line="-34"/> <source>Loading block index...</source> <translation>Caricamento dell&apos;indice del blocco...</translation> </message> <message> <location line="-103"/> <source>Add a node to connect to and attempt to keep the connection open</source> <translation>Elérendő csomópont megadása and attempt to keep the connection open</translation> </message> <message> <location line="+122"/> <source>Unable to bind to %s on this computer. profitcoin is probably already running.</source> <translation type="unfinished"/> </message> <message> <location line="-97"/> <source>Fee per KB to add to transactions you send</source> <translation type="unfinished"/> </message> <message> <location line="+55"/> <source>Invalid amount for -mininput=&lt;amount&gt;: &apos;%s&apos;</source> <translation type="unfinished"/> </message> <message> <location line="+25"/> <source>Loading wallet...</source> <translation>Caricamento portamonete...</translation> </message> <message> <location line="+8"/> <source>Cannot downgrade wallet</source> <translation>Non è possibile retrocedere il wallet</translation> </message> <message> <location line="+1"/> <source>Cannot initialize keypool</source> <translation type="unfinished"/> </message> <message> <location line="+1"/> <source>Cannot write default address</source> <translation>Non è possibile scrivere l&apos;indirizzo predefinito</translation> </message> <message> <location line="+1"/> <source>Rescanning...</source> <translation>Ripetere la scansione...</translation> </message> <message> <location line="+5"/> <source>Done loading</source> <translation>Caricamento completato</translation> </message> <message> <location line="-167"/> <source>To use the %s option</source> <translation>Per usare la opzione %s</translation> </message> <message> <location line="+14"/> <source>Error</source> <translation>Errore</translation> </message> <message> <location line="+6"/> <source>You must set rpcpassword=&lt;password&gt; in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions.</source> <translation>Devi settare rpcpassword=&lt;password&gt; nel file di configurazione: %s Se il file non esiste, crealo con i permessi di amministratore</translation> </message> </context> </TS><|fim▁end|>
<translation type="unfinished"/> </message> <message> <location line="+140"/>
<|file_name|>test_parser.py<|end_file_name|><|fim▁begin|>#! /usr/bin/env python # (Force the script to use the latest build.) # # test_parser.py import parser, traceback _numFailed = 0 def testChunk(t, fileName): global _numFailed print '----', fileName, try: ast = parser.suite(t) tup = parser.ast2tuple(ast) # this discards the first AST; a huge memory savings when running # against a large source file like Tkinter.py. ast = None new = parser.tuple2ast(tup) except parser.ParserError, err: print print 'parser module raised exception on input file', fileName + ':' traceback.print_exc() _numFailed = _numFailed + 1 else: if tup != parser.ast2tuple(new): print print 'parser module failed on input file', fileName _numFailed = _numFailed + 1 else: print 'o.k.' def testFile(fileName): t = open(fileName).read()<|fim▁hole|> def test(): import sys args = sys.argv[1:] if not args: import glob args = glob.glob("*.py") args.sort() map(testFile, args) sys.exit(_numFailed != 0) if __name__ == '__main__': test()<|fim▁end|>
testChunk(t, fileName)
<|file_name|>continuous.rs<|end_file_name|><|fim▁begin|>use std::collections::{HashSet, VecDeque}; use std::hash::{Hash, Hasher}; use std::iter::{FromIterator, Iterator}; use std::marker::PhantomData; use std::sync::{Arc, RwLock, Weak}; use uuid::Uuid; use super::{Continuous, DType}; use super::{Node, Observation, Variable}; use dists::{Normalization, Sample}; use err::ErrMsg; use RGSLRng; // public traits for models: /// Node trait for a continuous model. This node is reference counted and inmutably shared /// throught Arc, add interior mutability if necessary. pub trait ContNode<'a>: Node + Sized { type Var: 'a + ContVar + Normalization; /// Constructor method for the continuous node in the Bayesian net. fn new(dist: &'a Self::Var, pos: usize) -> Result<Self, ()>; /// Return the distribution of a node. fn get_dist(&self) -> &Self::Var; /// Returns a reference to the distributions of the parents· fn get_parents_dists(&self) -> Vec<&'a Self::Var>; /// Returns a reference to the distributions of the childs· fn get_childs_dists(&self) -> Vec<&'a Self::Var>; /// Sample from the prior distribution. fn init_sample(&self, rng: &mut RGSLRng) -> f64; /// Add a new parent to this child with a given weight (if any). /// Does not add self as child implicitly! fn add_parent(&self, parent: Arc<Self>, weight: Option<f64>); /// Remove a parent from this node. Does not remove self as child implicitly! fn remove_parent(&self, parent: &Self::Var); /// Add a child to this node. Does not add self as parent implicitly! fn add_child(&self, child: Arc<Self>); /// Remove a child from this node. Does not remove self as parent implicitly! fn remove_child(&self, child: &Self::Var); /// Returns the position of the parent for each edge in the network and /// the values of the edges, if any, fn get_edges(&self) -> Vec<(Option<f64>, usize)>; } pub trait ContVar: Variable { type Event: Observation; /// Returns a sample from the original variable, not taking into consideration /// the parents in the network (if any). fn sample(&self, rng: &mut RGSLRng) -> f64; /// Returns an slice of known observations for the variable of /// this distribution. fn get_observations(&self) -> &[Self::Event]; /// Push a new observation of the measured event/variable to the stack of obserbations. fn push_observation(&mut self, obs: Self::Event); /// Conversion of a double float to the associated Event type. fn float_into_event(float: f64) -> Self::Event; /// Get an obsevation value from the observations stack. Panics if it out of bound. fn get_obs_unchecked(&self, pos: usize) -> Self::Event; } pub type DefContModel<'a> = ContModel<'a, DefContNode<'a, DefContVar>>; #[derive(Debug)] pub struct ContModel<'a, N> where N: ContNode<'a>, { vars: ContDAG<'a, N>, } impl<'a, N> Default for ContModel<'a, N> where N: ContNode<'a>, { fn default() -> Self { Self::new() } } impl<'a, N> ContModel<'a, N> where N: ContNode<'a>, { pub fn new() -> ContModel<'a, N> { ContModel { vars: ContDAG::new(), } } /// Add a new variable to the model. pub fn add_var(&mut self, var: &'a <N as ContNode<'a>>::Var) -> Result<(), ()> { let pos = self.vars.nodes.len(); let node = N::new(var, pos)?; self.vars.nodes.push(Arc::new(node)); Ok(()) } /// Adds a parent `dist` to a child `dist`, connecting both nodes directionally /// with an arc. Accepts an optional weight argument for the arc. /// /// Takes the distribution of a variable, and the parent variable distribution /// as arguments and returns a result indicating if the parent was added properly. /// Both variables have to be added previously to the model. pub fn add_parent( &mut self, node: &'a <N as ContNode<'a>>::Var, parent: &'a <N as ContNode<'a>>::Var, weight: Option<f64>, ) -> Result<(), ()> { // checks to perform: // - both exist in the model // - the theoretical child cannot be a parent of the theoretical parent // as the network is a DAG // find node and parents in the net let node: Arc<N> = self .vars .nodes .iter() .find(|n| (&**n).get_dist() == node) .cloned() .ok_or(())?; let parent: Arc<N> = self .vars .nodes .iter() .find(|n| (&**n).get_dist() == parent) .cloned() .ok_or(())?; node.add_parent(parent.clone(), weight); parent.add_child(node); // check if it's a DAG and topologically sort the graph self.vars.topological_sort() } /// Remove a variable from the model, the childs will be disjoint if they don't /// have an other parent. pub fn remove_var(&mut self, var: &'a <N as ContNode<'a>>::Var) { if let Some(pos) = self .vars .nodes .iter() .position(|n| (&**n).get_dist() == var) { if pos < self.vars.nodes.len() - 1 { let parent = &self.vars.nodes[pos]; for node in &self.vars.nodes[pos + 1..] { node.set_position(node.position() - 1); node.remove_parent(var); parent.remove_child(node.get_dist()); } } self.vars.nodes.remove(pos); }; } /// Returns the total number of variables in the model. pub fn var_num(&self) -> usize { self.vars.nodes.len() } /// Iterate the model variables in topographical order. pub fn iter_vars(&self) -> BayesNetIter<'a, N> { BayesNetIter::new(&self.vars.nodes) } /// Get the node in the graph at position *i* unchecked. pub fn get_var(&self, i: usize) -> Arc<N> { self.vars.get_node(i) } } #[derive(Debug)] struct ContDAG<'a, N> where N: ContNode<'a>, { _nlt: PhantomData<&'a ()>, nodes: Vec<Arc<N>>, } dag_impl!(ContDAG, ContNode; [ContVar + Normalization]); /// A node in the network representing a continuous random variable. /// /// This type shouldn't be instantiated directly, instead add the random variable /// distribution to the network. pub struct DefContNode<'a, V: 'a> where V: ContVar, { pub dist: &'a V, childs: RwLock<Vec<Weak<DefContNode<'a, V>>>>, parents: RwLock<Vec<Arc<DefContNode<'a, V>>>>, edges: RwLock<Vec<Option<f64>>>, // weight assigned to edges, if any pos: RwLock<usize>, } impl<'a, V: 'a + ContVar> ::std::fmt::Debug for DefContNode<'a, V> { fn fmt(&self, f: &mut ::std::fmt::Formatter) -> ::std::fmt::Result { write!( f, "DefContNode {{ dist: {d:?}, childs: {c}, parents: {p}, pos: {pos}, edges: {e:?} }}", c = self.childs.read().unwrap().len(), p = self.parents.read().unwrap().len(), pos = *self.pos.read().unwrap(), d = self.dist, e = self.edges.read().unwrap() ) } } node_impl!(DefContNode, ContVar); impl<'a, V: 'a> ContNode<'a> for DefContNode<'a, V> where V: ContVar + Normalization, { type Var = V; fn new(dist: &'a V, pos: usize) -> Result<Self, ()> { match *dist.dist_type() { DType::Normal(_) | DType::Beta(_) | DType::Exponential(_) | DType::Gamma(_) | DType::ChiSquared(_) | DType::TDist(_) | DType::FDist(_) | DType::Cauchy(_) | DType::LogNormal(_) | DType::Logistic(_) | DType::Pareto(_) => {} _ => return Err(()), } // get the probabilities from the dist and insert as default cpt Ok(DefContNode { dist, childs: RwLock::new(vec![]), parents: RwLock::new(vec![]), edges: RwLock::new(vec![]), pos: RwLock::new(pos), }) } fn get_dist(&self) -> &V { self.dist } fn init_sample(&self, rng: &mut RGSLRng) -> f64 { self.dist.sample(rng) } fn get_parents_dists(&self) -> Vec<&'a V> { let parents = &*self.parents.read().unwrap(); let mut dists = Vec::with_capacity(parents.len()); for p in parents { dists.push(p.dist);<|fim▁hole|> } fn get_childs_dists(&self) -> Vec<&'a V> { let childs = &*self.childs.read().unwrap(); let mut dists = Vec::with_capacity(childs.len()); for c in childs { dists.push(c.upgrade().unwrap().dist); } dists } fn add_parent(&self, parent: Arc<Self>, weight: Option<f64>) { let parents = &mut *self.parents.write().unwrap(); let edges = &mut *self.edges.write().unwrap(); // check for duplicates: if let Some(pos) = parents .iter() .position(|ref x| &*x.get_dist() == parent.get_dist()) { edges[pos] = weight; } else { parents.push(parent); edges.push(weight); }; } fn remove_parent(&self, parent: &V) { let parents = &mut *self.parents.write().unwrap(); if let Some(pos) = parents.iter().position(|ref x| &*x.get_dist() == parent) { parents.remove(pos); let edges = &mut *self.edges.write().unwrap(); edges.remove(pos); } } fn add_child(&self, child: Arc<Self>) { let parent_childs = &mut *self.childs.write().unwrap(); let pos = parent_childs .iter() .enumerate() .find(|&(_, x)| &*x.upgrade().unwrap().get_dist() == child.get_dist()) .map(|(i, _)| i); if pos.is_none() { parent_childs.push(Arc::downgrade(&child)); } } fn remove_child(&self, child: &V) { let childs = &mut *self.childs.write().unwrap(); if let Some(pos) = childs .iter() .position(|ref x| &*x.upgrade().unwrap().get_dist() == child) { childs.remove(pos); } } fn get_edges(&self) -> Vec<(Option<f64>, usize)> { let edges = &*self.edges.read().unwrap(); let parents = &*self.parents.read().unwrap(); let mut edge_with_parent = Vec::with_capacity(parents.len()); for (i, p) in parents.iter().enumerate() { edge_with_parent.push((edges[i], p.position())); } edge_with_parent } } #[derive(Debug)] pub struct DefContVar { dist: DType, observations: Vec<Continuous>, id: Uuid, } fn validate_dist(dist: &DType) -> Result<(), ()> { match *dist { DType::Normal(_) | DType::Beta(_) | DType::Exponential(_) | DType::Gamma(_) | DType::ChiSquared(_) | DType::TDist(_) | DType::FDist(_) | DType::Cauchy(_) | DType::LogNormal(_) | DType::Logistic(_) | DType::Pareto(_) => Ok(()), _ => Err(()), } } var_impl!(DefContVar); impl ContVar for DefContVar { type Event = Continuous; fn sample(&self, rng: &mut RGSLRng) -> f64 { match self.dist { DType::Normal(ref dist) => dist.sample(rng), DType::Beta(ref dist) => dist.sample(rng), DType::Exponential(ref dist) => dist.sample(rng), DType::Gamma(ref dist) => dist.sample(rng), DType::ChiSquared(ref dist) => dist.sample(rng), DType::TDist(ref dist) => dist.sample(rng), DType::FDist(ref dist) => dist.sample(rng), DType::Cauchy(ref dist) => dist.sample(rng), DType::LogNormal(ref dist) => dist.sample(rng), DType::Logistic(ref dist) => dist.sample(rng), DType::Pareto(ref dist) => dist.sample(rng), ref d => panic!(ErrMsg::DiscDistContNode.panic_msg_with_arg(d)), } } fn get_observations(&self) -> &[<Self as ContVar>::Event] { &self.observations } fn push_observation(&mut self, obs: Self::Event) { self.observations.push(obs) } #[inline] fn float_into_event(float: f64) -> Self::Event { float as Self::Event } fn get_obs_unchecked(&self, pos: usize) -> Self::Event { self.observations[pos] } } impl Normalization for DefContVar { #[inline] fn into_default(self) -> Self { self } }<|fim▁end|>
} dists
<|file_name|>views.py<|end_file_name|><|fim▁begin|>from braces.views import LoginRequiredMixin from django.contrib.auth.models import User, Group from django.shortcuts import render # Create your views here.<|fim▁hole|>from django.views.generic import ListView, DetailView, CreateView, UpdateView from rest_framework import viewsets from employee.forms import CoachingSessionForm from .serializers import EmployeeSerializer, UserSerializer, GroupSerializer, CompanyGroupSerializer from .models import Employee, CompanyGroup, CoachingSession class EmployeeViewSet(viewsets.ModelViewSet): serializer_class = EmployeeSerializer def get_queryset(self): group_slug = self.request.query_params.get('group-slug', None) if group_slug: qs = Employee.objects.from_group(group_slug) else: qs = Employee.objects.all() return qs class CompanyGroupViewSet(viewsets.ModelViewSet): queryset = CompanyGroup.objects.all() serializer_class = CompanyGroupSerializer class UserViewSet(viewsets.ModelViewSet): """ API endpoint that allows users to be viewed or edited. """ queryset = User.objects.all().order_by('-date_joined') serializer_class = UserSerializer class GroupViewSet(viewsets.ModelViewSet): """ API endpoint that allows groups to be viewed or edited. """ queryset = Group.objects.all() serializer_class = GroupSerializer class EmployeeListView(LoginRequiredMixin, ListView): model = Employee def get_queryset(self): qs = Employee.objects.from_group(self.kwargs['group_slug']) return qs class EmployeeProjectsView(LoginRequiredMixin, DetailView): model = Employee context_object_name = 'employee' template_name = 'employee/employee_projects.html' class EmployeeGoalsView(LoginRequiredMixin, DetailView): model = Employee context_object_name = 'employee' template_name = 'employee/employee_goals.html' class CoachingSessionUpdateView(LoginRequiredMixin, UpdateView): model = CoachingSession context_object_name = 'coaching_session' form_class = CoachingSessionForm class CoachingSessionCreateView(LoginRequiredMixin, CreateView): model = CoachingSession context_object_name = 'coaching_session' form_class = CoachingSessionForm def get_context_data(self, **kwargs): context = super(CoachingSessionCreateView, self).get_context_data(**kwargs) context['form'].fields['employee'].queryset = Employee.objects.from_group(self.kwargs['group_slug']) return context def form_valid(self, form): obj = form.save(commit=False) employee = Employee.objects.get(user=self.request.user) obj.coach = employee obj.save() return super(CoachingSessionCreateView, self).form_valid(form) class CoachingSessionDetailView(LoginRequiredMixin, DetailView): model = CoachingSession context_object_name = 'coaching_session' class CoachingSessionListView(LoginRequiredMixin, ListView): model = CoachingSession context_object_name = 'coaching_sessions' template_name = 'employee/coachingsession_list.html' def get_queryset(self): if self.kwargs.get('employee_pk', None): qs = CoachingSession.objects.filter(employee__companygroupemployeeassignment__group__slug=self.kwargs['group_slug'], employee__pk=self.kwargs['employee_pk']) else: qs = CoachingSession.objects.filter(employee__companygroupemployeeassignment__group__slug=self.kwargs['group_slug']) return qs<|fim▁end|>
<|file_name|>__init__.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*- # ---------------------------------------------------------------------------- # Copyright © 2016, Continuum Analytics, Inc. All rights reserved.<|fim▁hole|><|fim▁end|>
# # The full license is in the file LICENSE.txt, distributed with this software. # ----------------------------------------------------------------------------
<|file_name|>__init__.py<|end_file_name|><|fim▁begin|>""" Provides functionality to emulate keyboard presses on host machine. For more details about this component, please refer to the documentation at https://home-assistant.io/components/keyboard/ """ import voluptuous as vol from homeassistant.const import ( SERVICE_MEDIA_NEXT_TRACK, SERVICE_MEDIA_PLAY_PAUSE, SERVICE_MEDIA_PREVIOUS_TRACK, SERVICE_VOLUME_DOWN, SERVICE_VOLUME_MUTE, SERVICE_VOLUME_UP) REQUIREMENTS = ['pyuserinput==0.1.11'] DOMAIN = 'keyboard' TAP_KEY_SCHEMA = vol.Schema({}) def setup(hass, config): """Listen for keyboard events.""" import pykeyboard # pylint: disable=import-error keyboard = pykeyboard.PyKeyboard() keyboard.special_key_assignment() hass.services.register(DOMAIN, SERVICE_VOLUME_UP, lambda service: keyboard.tap_key(keyboard.volume_up_key), schema=TAP_KEY_SCHEMA) hass.services.register(DOMAIN, SERVICE_VOLUME_DOWN, lambda service: keyboard.tap_key(keyboard.volume_down_key), schema=TAP_KEY_SCHEMA) hass.services.register(DOMAIN, SERVICE_VOLUME_MUTE, lambda service: keyboard.tap_key(keyboard.volume_mute_key), schema=TAP_KEY_SCHEMA) <|fim▁hole|> keyboard.tap_key(keyboard.media_play_pause_key), schema=TAP_KEY_SCHEMA) hass.services.register(DOMAIN, SERVICE_MEDIA_NEXT_TRACK, lambda service: keyboard.tap_key(keyboard.media_next_track_key), schema=TAP_KEY_SCHEMA) hass.services.register(DOMAIN, SERVICE_MEDIA_PREVIOUS_TRACK, lambda service: keyboard.tap_key(keyboard.media_prev_track_key), schema=TAP_KEY_SCHEMA) return True<|fim▁end|>
hass.services.register(DOMAIN, SERVICE_MEDIA_PLAY_PAUSE, lambda service:
<|file_name|>const.js<|end_file_name|><|fim▁begin|>// Copyright (c) 2020 Uber Technologies, Inc. // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. 'use strict'; function ThriftConst(def) { this.name = def.id.name; this.valueDefinition = def.value; this.defined = false; this.value = null; this.surface = null; } ThriftConst.prototype.models = 'value'; ThriftConst.prototype.link = function link(model) { if (!this.defined) { this.defined = true; this.value = model.resolveValue(this.valueDefinition); this.surface = this.value; model.consts[this.name] = this.value; // Alias if first character is not lower-case if (!/^[a-z]/.test(this.name)) {<|fim▁hole|>}; module.exports.ThriftConst = ThriftConst;<|fim▁end|>
model[this.name] = this.value; } } return this;
<|file_name|>Combine.js<|end_file_name|><|fim▁begin|>/*! * ${copyright} */ // Provides class sap.ui.rta.plugin.Combine. sap.ui.define([ 'sap/ui/rta/plugin/Plugin', 'sap/ui/dt/Selection', 'sap/ui/dt/OverlayRegistry', 'sap/ui/rta/Utils' ], function( Plugin, Selection, OverlayRegistry, Utils ) { "use strict"; /** * Constructor for a new Combine Plugin. * * @class * @extends sap.ui.rta.plugin.Plugin * @author SAP SE * @version ${version} * @constructor * @private * @since 1.46 * @alias sap.ui.rta.plugin.Combine * @experimental Since 1.46. This class is experimental and provides only limited functionality. Also the API might be changed in future. */ var Combine = Plugin.extend("sap.ui.rta.plugin.Combine", /** @lends sap.ui.rta.plugin.Combine.prototype */ {<|fim▁hole|> // ---- object ---- // ---- control specific ---- library: "sap.ui.rta", properties: {}, associations: {}, events: {} } }); /** * check if the given overlay is editable * @param {sap.ui.dt.ElementOverlay} oOverlay - overlay to be checked for editable * @returns {boolean} whether it is editable or not * @private */ Combine.prototype._isEditable = function(oOverlay) { var oCombineAction = this.getAction(oOverlay); if (oCombineAction && oCombineAction.changeType && oCombineAction.changeOnRelevantContainer) { return this.hasChangeHandler(oCombineAction.changeType, oOverlay.getRelevantContainer()) && this.hasStableId(oOverlay); } else { return false; } }; Combine.prototype._checkForSameRelevantContainer = function(aSelectedOverlays) { var aRelevantContainer = []; for (var i = 0, n = aSelectedOverlays.length; i < n; i++) { aRelevantContainer[i] = aSelectedOverlays[i].getRelevantContainer(); var oCombineAction = this.getAction(aSelectedOverlays[i]); if (!oCombineAction || !oCombineAction.changeType){ return false; } if (i > 0) { if ((aRelevantContainer[0] !== aRelevantContainer[i]) || (this.getAction(aSelectedOverlays[0]).changeType !== oCombineAction.changeType)) { return false; } } } return true; }; /** * Checks if Combine is available for oOverlay * * @param {sap.ui.dt.Overlay} oOverlay overlay object * @return {boolean} true if available * @public */ Combine.prototype.isAvailable = function(oOverlay) { var aSelectedOverlays = this.getDesignTime().getSelection(); if (aSelectedOverlays.length <= 1) { return false; } return (this._isEditableByPlugin(oOverlay) && this._checkForSameRelevantContainer(aSelectedOverlays)); }; /** * Checks if Combine is enabled for oOverlay * * @param {sap.ui.dt.Overlay} oOverlay overlay object * @return {boolean} true if enabled * @public */ Combine.prototype.isEnabled = function(oOverlay) { var aSelectedOverlays = this.getDesignTime().getSelection(); // check that at least 2 fields can be combined if (!this.isAvailable(oOverlay) || aSelectedOverlays.length <= 1) { return false; } var aSelectedControls = aSelectedOverlays.map(function (oSelectedOverlay) { return oSelectedOverlay.getElementInstance(); }); // check that each selected element has an enabled action var bActionCheck = aSelectedOverlays.every(function(oSelectedOverlay) { var oAction = this.getAction(oSelectedOverlay); if (!oAction) { return false; } // when isEnabled is not defined the default is true if (typeof oAction.isEnabled !== "undefined") { if (typeof oAction.isEnabled === "function") { return oAction.isEnabled(aSelectedControls); } else { return oAction.isEnabled; } } return true; }, this); return bActionCheck; }; /** * @param {any} oCombineElement selected element */ Combine.prototype.handleCombine = function(oCombineElement) { var oElementOverlay = OverlayRegistry.getOverlay(oCombineElement); var oDesignTimeMetadata = oElementOverlay.getDesignTimeMetadata(); var aToCombineElements = []; var aSelectedOverlays = this.getDesignTime().getSelection(); for (var i = 0; i < aSelectedOverlays.length; i++) { var oSelectedElement = aSelectedOverlays[i].getElementInstance(); aToCombineElements.push(oSelectedElement); } var oCombineAction = this.getAction(oElementOverlay); var sVariantManagementReference = this.getVariantManagementReference(oElementOverlay, oCombineAction); var oCombineCommand = this.getCommandFactory().getCommandFor(oCombineElement, "combine", { source : oCombineElement, combineFields : aToCombineElements }, oDesignTimeMetadata, sVariantManagementReference); this.fireElementModified({ "command" : oCombineCommand }); }; /** * Retrieve the context menu item for the action. * @param {sap.ui.dt.ElementOverlay} oOverlay Overlay for which the context menu was opened * @return {object[]} Returns array containing the items with required data */ Combine.prototype.getMenuItems = function(oOverlay){ return this._getMenuItems(oOverlay, {pluginId : "CTX_GROUP_FIELDS", rank : 90}); }; /** * Get the name of the action related to this plugin. * @return {string} Returns the action name */ Combine.prototype.getActionName = function(){ return "combine"; }; /** * Trigger the plugin execution. * @param {sap.ui.dt.ElementOverlay[]} aOverlays Selected overlays; targets of the action * @param {any} oEventItem ContextMenu item which triggers the event * @param {any} oContextElement Element where the action is triggered */ Combine.prototype.handler = function(aOverlays, mPropertyBag){ //TODO: Handle "Stop Cut & Paste" depending on alignment with Dietrich! this.handleCombine(mPropertyBag.contextElement); }; return Combine; }, /* bExport= */true);<|fim▁end|>
metadata: {
<|file_name|>isize.rs<|end_file_name|><|fim▁begin|>// Copyright 2012-2015 The Rust Project Developers. See the COPYRIGHT // file at the top-level directory of this distribution and at // http://rust-lang.org/COPYRIGHT. // // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your // option. This file may not be copied, modified, or distributed // except according to those terms. //! The pointer-sized signed integer type. //! //! *[See also the `isize` primitive type](../primitive.isize.html).* #![stable(feature = "rust1", since = "1.0.0")]<|fim▁hole|>int_module! { isize }<|fim▁end|>
pub use core::isize::{BITS, BYTES, MIN, MAX};
<|file_name|>trial_of_the_champion.cpp<|end_file_name|><|fim▁begin|>/* * Copyright (C) 2008-2012 TrinityCore <http://www.trinitycore.org/> * * This program is free software; you can redistribute it and/or modify it * under the terms of the GNU General Public License as published by the * Free Software Foundation; either version 2 of the License, or (at your * option) any later version. * * This program is distributed in the hope that it will be useful, but WITHOUT * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or * FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for * more details. * * You should have received a copy of the GNU General Public License along * with this program. If not, see <http://www.gnu.org/licenses/>. */ /* ScriptData SDName: Trial Of the Champion SD%Complete: SDComment: SDCategory: trial_of_the_champion EndScriptData */ /* ContentData npc_announcer_toc5 EndContentData */ #include "ScriptPCH.h" #include "trial_of_the_champion.h" #include "Vehicle.h" #define GOSSIP_START_EVENT1 "I'm ready to start challenge." #define GOSSIP_START_EVENT2 "I'm ready for the next challenge." #define ORIENTATION 4.714f /*###### ## npc_announcer_toc5 ######*/ const Position SpawnPosition = {746.261f, 657.401f, 411.681f, 4.65f}; class npc_announcer_toc5 : public CreatureScript { public: npc_announcer_toc5() : CreatureScript("npc_announcer_toc5") { } struct npc_announcer_toc5AI : public ScriptedAI { npc_announcer_toc5AI(Creature* creature) : ScriptedAI(creature) { instance = creature->GetInstanceScript(); uiSummonTimes = 0; uiPosition = 0; uiLesserChampions = 0; uiFirstBoss = 0; uiSecondBoss = 0; uiThirdBoss = 0; uiArgentChampion = 0; uiPhase = 0; uiTimer = 0; uiVehicle1GUID = 0; uiVehicle2GUID = 0; uiVehicle3GUID = 0; Champion1List.clear(); Champion2List.clear(); Champion3List.clear(); me->SetReactState(REACT_PASSIVE); me->SetFlag(UNIT_FIELD_FLAGS, UNIT_FLAG_NON_ATTACKABLE); me->SetFlag(UNIT_NPC_FLAGS, UNIT_NPC_FLAG_GOSSIP); SetGrandChampionsForEncounter(); SetArgentChampion(); } InstanceScript* instance; uint8 uiSummonTimes; uint8 uiPosition; uint8 uiLesserChampions; uint32 uiArgentChampion; uint32 uiFirstBoss; uint32 uiSecondBoss; uint32 uiThirdBoss; uint32 uiPhase; uint32 uiTimer; uint64 uiVehicle1GUID; uint64 uiVehicle2GUID; uint64 uiVehicle3GUID; uint64 uiGrandChampionBoss1; std::list<uint64> Champion1List; std::list<uint64> Champion2List; std::list<uint64> Champion3List; void NextStep(uint32 uiTimerStep, bool bNextStep = true, uint8 uiPhaseStep = 0) { uiTimer = uiTimerStep; if (bNextStep) ++uiPhase; else uiPhase = uiPhaseStep; } void SetData(uint32 uiType, uint32 /*uiData*/) { switch (uiType) { case DATA_START: DoSummonGrandChampion(uiFirstBoss); NextStep(10000, false, 1); break; case DATA_IN_POSITION: //movement done. me->GetMotionMaster()->MovePoint(1, 735.81f, 661.92f, 412.39f); if (GameObject* go = GameObject::GetGameObject(*me, instance->GetData64(DATA_MAIN_GATE))) instance->HandleGameObject(go->GetGUID(), false); NextStep(10000, false, 3); break; case DATA_LESSER_CHAMPIONS_DEFEATED: { ++uiLesserChampions; std::list<uint64> TempList; if (uiLesserChampions == 3 || uiLesserChampions == 6) { switch (uiLesserChampions) { case 3: TempList = Champion2List; break; case 6: TempList = Champion3List; break; } for (std::list<uint64>::const_iterator itr = TempList.begin(); itr != TempList.end(); ++itr) if (Creature* summon = Unit::GetCreature(*me, *itr)) AggroAllPlayers(summon); }else if (uiLesserChampions == 9) StartGrandChampionsAttack(); break; } } } void StartGrandChampionsAttack() { Creature* pGrandChampion1 = Unit::GetCreature(*me, uiVehicle1GUID); Creature* pGrandChampion2 = Unit::GetCreature(*me, uiVehicle2GUID); Creature* pGrandChampion3 = Unit::GetCreature(*me, uiVehicle3GUID); if (pGrandChampion1 && pGrandChampion2 && pGrandChampion3) { AggroAllPlayers(pGrandChampion1); AggroAllPlayers(pGrandChampion2); AggroAllPlayers(pGrandChampion3); } } void MovementInform(uint32 uiType, uint32 uiPointId) { if (uiType != POINT_MOTION_TYPE) return; if (uiPointId == 1) { me->SetOrientation(ORIENTATION); me->SendMovementFlagUpdate(); } } void DoSummonGrandChampion(uint32 uiBoss) { ++uiSummonTimes; uint32 VEHICLE_TO_SUMMON1 = 0; uint32 VEHICLE_TO_SUMMON2 = 0; switch (uiBoss) { case 0: VEHICLE_TO_SUMMON1 = VEHICLE_MOKRA_SKILLCRUSHER_MOUNT; VEHICLE_TO_SUMMON2 = VEHICLE_ORGRIMMAR_WOLF; break; case 1: VEHICLE_TO_SUMMON1 = VEHICLE_ERESSEA_DAWNSINGER_MOUNT; VEHICLE_TO_SUMMON2 = VEHICLE_SILVERMOON_HAWKSTRIDER; break; case 2: VEHICLE_TO_SUMMON1 = VEHICLE_RUNOK_WILDMANE_MOUNT; VEHICLE_TO_SUMMON2 = VEHICLE_THUNDER_BLUFF_KODO; break; case 3: VEHICLE_TO_SUMMON1 = VEHICLE_ZUL_TORE_MOUNT; VEHICLE_TO_SUMMON2 = VEHICLE_DARKSPEAR_RAPTOR; break; case 4: VEHICLE_TO_SUMMON1 = VEHICLE_DEATHSTALKER_VESCERI_MOUNT; VEHICLE_TO_SUMMON2 = VEHICLE_FORSAKE_WARHORSE; break; default: return; } if (Creature* pBoss = me->SummonCreature(VEHICLE_TO_SUMMON1, SpawnPosition)) { switch (uiSummonTimes) { case 1: { uiVehicle1GUID = pBoss->GetGUID(); uint64 uiGrandChampionBoss1 = 0; if (Vehicle* pVehicle = pBoss->GetVehicleKit()) if (Unit* unit = pVehicle->GetPassenger(0)) uiGrandChampionBoss1 = unit->GetGUID(); if (instance) { instance->SetData64(DATA_GRAND_CHAMPION_VEHICLE_1, uiVehicle1GUID); instance->SetData64(DATA_GRAND_CHAMPION_1, uiGrandChampionBoss1); } pBoss->AI()->SetData(1, 0); break; } case 2: { uiVehicle2GUID = pBoss->GetGUID(); uint64 uiGrandChampionBoss2 = 0; if (Vehicle* pVehicle = pBoss->GetVehicleKit()) if (Unit* unit = pVehicle->GetPassenger(0)) uiGrandChampionBoss2 = unit->GetGUID(); if (instance) { instance->SetData64(DATA_GRAND_CHAMPION_VEHICLE_2, uiVehicle2GUID); instance->SetData64(DATA_GRAND_CHAMPION_2, uiGrandChampionBoss2); } pBoss->AI()->SetData(2, 0); break; } case 3: {<|fim▁hole|> uiGrandChampionBoss3 = unit->GetGUID(); if (instance) { instance->SetData64(DATA_GRAND_CHAMPION_VEHICLE_3, uiVehicle3GUID); instance->SetData64(DATA_GRAND_CHAMPION_3, uiGrandChampionBoss3); } pBoss->AI()->SetData(3, 0); break; } default: return; } for (uint8 i = 0; i < 3; ++i) { if (Creature* pAdd = me->SummonCreature(VEHICLE_TO_SUMMON2, SpawnPosition, TEMPSUMMON_CORPSE_DESPAWN)) { switch (uiSummonTimes) { case 1: Champion1List.push_back(pAdd->GetGUID()); break; case 2: Champion2List.push_back(pAdd->GetGUID()); break; case 3: Champion3List.push_back(pAdd->GetGUID()); break; } switch (i) { case 0: pAdd->GetMotionMaster()->MoveFollow(pBoss, 2.0f, M_PI); break; case 1: pAdd->GetMotionMaster()->MoveFollow(pBoss, 2.0f, M_PI / 2); break; case 2: pAdd->GetMotionMaster()->MoveFollow(pBoss, 2.0f, M_PI / 2 + M_PI); break; } } } } } void DoStartArgentChampionEncounter() { me->GetMotionMaster()->MovePoint(1, 735.81f, 661.92f, 412.39f); if (me->SummonCreature(uiArgentChampion, SpawnPosition)) { for (uint8 i = 0; i < 3; ++i) { if (Creature* pTrash = me->SummonCreature(NPC_ARGENT_LIGHWIELDER, SpawnPosition)) pTrash->AI()->SetData(i, 0); if (Creature* pTrash = me->SummonCreature(NPC_ARGENT_MONK, SpawnPosition)) pTrash->AI()->SetData(i, 0); if (Creature* pTrash = me->SummonCreature(NPC_PRIESTESS, SpawnPosition)) pTrash->AI()->SetData(i, 0); } } } void SetGrandChampionsForEncounter() { uiFirstBoss = urand(0, 4); while (uiSecondBoss == uiFirstBoss || uiThirdBoss == uiFirstBoss || uiThirdBoss == uiSecondBoss) { uiSecondBoss = urand(0, 4); uiThirdBoss = urand(0, 4); } } void SetArgentChampion() { uint8 uiTempBoss = urand(0, 1); switch (uiTempBoss) { case 0: uiArgentChampion = NPC_EADRIC; break; case 1: uiArgentChampion = NPC_PALETRESS; break; } } void StartEncounter() { if (!instance) return; me->RemoveFlag(UNIT_NPC_FLAGS, UNIT_NPC_FLAG_GOSSIP); if (instance->GetData(BOSS_BLACK_KNIGHT) == NOT_STARTED) { if (instance->GetData(BOSS_ARGENT_CHALLENGE_E) == NOT_STARTED && instance->GetData(BOSS_ARGENT_CHALLENGE_P) == NOT_STARTED) { if (instance->GetData(BOSS_GRAND_CHAMPIONS) == NOT_STARTED) me->AI()->SetData(DATA_START, 0); if (instance->GetData(BOSS_GRAND_CHAMPIONS) == DONE) DoStartArgentChampionEncounter(); } if ((instance->GetData(BOSS_GRAND_CHAMPIONS) == DONE && instance->GetData(BOSS_ARGENT_CHALLENGE_E) == DONE) || instance->GetData(BOSS_ARGENT_CHALLENGE_P) == DONE) me->SummonCreature(VEHICLE_BLACK_KNIGHT, 769.834f, 651.915f, 447.035f, 0); } } void AggroAllPlayers(Creature* temp) { Map::PlayerList const &PlList = me->GetMap()->GetPlayers(); if (PlList.isEmpty()) return; for (Map::PlayerList::const_iterator i = PlList.begin(); i != PlList.end(); ++i) { if (Player* player = i->getSource()) { if (player->isGameMaster()) continue; if (player->isAlive()) { temp->SetHomePosition(me->GetPositionX(), me->GetPositionY(), me->GetPositionZ(), me->GetOrientation()); temp->RemoveFlag(UNIT_FIELD_FLAGS, UNIT_FLAG_NON_ATTACKABLE); temp->SetReactState(REACT_AGGRESSIVE); temp->SetInCombatWith(player); player->SetInCombatWith(temp); temp->AddThreat(player, 0.0f); } } } } void UpdateAI(const uint32 uiDiff) { ScriptedAI::UpdateAI(uiDiff); if (uiTimer <= uiDiff) { switch (uiPhase) { case 1: DoSummonGrandChampion(uiSecondBoss); NextStep(10000, true); break; case 2: DoSummonGrandChampion(uiThirdBoss); NextStep(0, false); break; case 3: if (!Champion1List.empty()) { for (std::list<uint64>::const_iterator itr = Champion1List.begin(); itr != Champion1List.end(); ++itr) if (Creature* summon = Unit::GetCreature(*me, *itr)) AggroAllPlayers(summon); NextStep(0, false); } break; } } else uiTimer -= uiDiff; if (!UpdateVictim()) return; } void JustSummoned(Creature* summon) { if (instance && instance->GetData(BOSS_GRAND_CHAMPIONS) == NOT_STARTED) { summon->SetFlag(UNIT_FIELD_FLAGS, UNIT_FLAG_NON_ATTACKABLE); summon->SetReactState(REACT_PASSIVE); } } void SummonedCreatureDespawn(Creature* summon) { switch (summon->GetEntry()) { case VEHICLE_DARNASSIA_NIGHTSABER: case VEHICLE_EXODAR_ELEKK: case VEHICLE_STORMWIND_STEED: case VEHICLE_GNOMEREGAN_MECHANOSTRIDER: case VEHICLE_IRONFORGE_RAM: case VEHICLE_FORSAKE_WARHORSE: case VEHICLE_THUNDER_BLUFF_KODO: case VEHICLE_ORGRIMMAR_WOLF: case VEHICLE_SILVERMOON_HAWKSTRIDER: case VEHICLE_DARKSPEAR_RAPTOR: me->AI()->SetData(DATA_LESSER_CHAMPIONS_DEFEATED, 0); break; } } }; CreatureAI* GetAI(Creature* creature) const { return new npc_announcer_toc5AI(creature); } bool OnGossipHello(Player* player, Creature* creature) { InstanceScript* instance = creature->GetInstanceScript(); if (instance && ((instance->GetData(BOSS_GRAND_CHAMPIONS) == DONE && instance->GetData(BOSS_BLACK_KNIGHT) == DONE && instance->GetData(BOSS_ARGENT_CHALLENGE_E) == DONE) || instance->GetData(BOSS_ARGENT_CHALLENGE_P) == DONE)) return false; if (instance && instance->GetData(BOSS_GRAND_CHAMPIONS) == NOT_STARTED && instance->GetData(BOSS_ARGENT_CHALLENGE_E) == NOT_STARTED && instance->GetData(BOSS_ARGENT_CHALLENGE_P) == NOT_STARTED && instance->GetData(BOSS_BLACK_KNIGHT) == NOT_STARTED) player->ADD_GOSSIP_ITEM(GOSSIP_ICON_CHAT, GOSSIP_START_EVENT1, GOSSIP_SENDER_MAIN, GOSSIP_ACTION_INFO_DEF+1); else if (instance) player->ADD_GOSSIP_ITEM(GOSSIP_ICON_CHAT, GOSSIP_START_EVENT2, GOSSIP_SENDER_MAIN, GOSSIP_ACTION_INFO_DEF+1); player->SEND_GOSSIP_MENU(player->GetGossipTextId(creature), creature->GetGUID()); return true; } bool OnGossipSelect(Player* player, Creature* creature, uint32 /*sender*/, uint32 action) { player->PlayerTalkClass->ClearMenus(); if (action == GOSSIP_ACTION_INFO_DEF+1) { player->CLOSE_GOSSIP_MENU(); CAST_AI(npc_announcer_toc5::npc_announcer_toc5AI, creature->AI())->StartEncounter(); } return true; } }; void AddSC_trial_of_the_champion() { new npc_announcer_toc5(); }<|fim▁end|>
uiVehicle3GUID = pBoss->GetGUID(); uint64 uiGrandChampionBoss3 = 0; if (Vehicle* pVehicle = pBoss->GetVehicleKit()) if (Unit* unit = pVehicle->GetPassenger(0))
<|file_name|>einj.py<|end_file_name|><|fim▁begin|># Copyright (c) 2015, Intel Corporation # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are met: # # * Redistributions of source code must retain the above copyright notice, # this list of conditions and the following disclaimer. # * Redistributions in binary form must reproduce the above copyright notice, # this list of conditions and the following disclaimer in the documentation # and/or other materials provided with the distribution. # * Neither the name of Intel Corporation nor the names of its contributors # may be used to endorse or promote products derived from this software # without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND # ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED # WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE # DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR # ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES # (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; # LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON # ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT # (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS # SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. """Error Injection EINJ module.""" from __future__ import print_function import acpi import bits import contextlib from cpudetect import cpulib import ctypes import functools import ttypager # Create constants for each value in these dictionaries for readability. These # names are too generic to put in the acpi module's namespace, but they make # sense in the einj module. globals().update(map(reversed, acpi._error_injection_action.iteritems())) globals().update(map(reversed, acpi._error_injection_instruction.iteritems())) read_mem = { 1: bits.readb, 2: bits.readw, 3: bits.readl, 4: bits.readq, } write_mem = { 1: bits.writeb, 2: bits.writew, 3: bits.writel, 4: bits.writeq, } out_port = { 1: bits.outb, 2: bits.outw, 3: bits.outl, } error_injection_command_status = { 0x0: 'SUCCESS', 0x1: 'UNKNOWN_FAILURE', 0x2: 'INVALID_ACCESS', } globals().update(map(reversed, error_injection_command_status.iteritems())) # List of actions that can be executed with no custom processing _action_simple = [ BEGIN_INJECTION_OPERATION, END_OPERATION, EXECUTE_OPERATION, CHECK_BUSY_STATUS, GET_COMMAND_STATUS, ] def _execute_action(entry, value=None): print("entry.injection_action = {:#x} ({})".format(entry.injection_action, acpi._error_injection_action.get(entry.injection_action, "Unknown"))) if entry.injection_action in _action_simple: return _execute_instruction(entry) elif entry.injection_action == GET_TRIGGER_ERROR_ACTION_TABLE: return acpi.trigger_error_action(_execute_instruction(entry)) elif entry.injection_action == SET_ERROR_TYPE: if value is None: raise ValueError("action SET_ERROR_TYPE but no input parameter provided") return _execute_instruction(entry, value.data) elif entry.injection_action == GET_ERROR_TYPE: _execute_instruction(entry) return acpi.error_type_flags.from_address(entry.register_region.address) elif entry.injection_action == SET_ERROR_TYPE_WITH_ADDRESS: if value is None: raise ValueError("action SET_ERROR_TYPE_WITH_ADDRESS but no input paramters provided") error_type = value[0] if error_type.processor_correctable or error_type.processor_uncorrectable_non_fatal or error_type.processor_uncorrectable_fatal: error_type, flags, apicid = value cpu_error = acpi.set_error_type_with_addr.from_address(entry.register_region.address) if cpu_error.error_type.vendor_defined and cpu_error.vendor_error_type_extension_structure_offset: vendor_err_addr = entry.register_region.address + cpu_error.vendor_error_type_extension_structure_offset vendor_error_type_extension = acpi.set_error_type_with_addr.from_address(vendor_err_addr) print(vendor_error_type_extension) print('WRITE_REGISTER SET_ERROR_TYPE_WITH_ADDRESS address - {0:#x}'.format(entry.register_region.address)) cpu_error.error_type = error_type cpu_error.flags = flags cpu_error.apicid = apicid print(cpu_error) elif error_type.memory_correctable or error_type.memory_uncorrectable_non_fatal or error_type.memory_uncorrectable_fatal: error_type, flags, mem_addr, mem_addr_range = value mem_error = acpi.set_error_type_with_addr.from_address(entry.register_region.address) print('WRITE_REGISTER SET_ERROR_TYPE_WITH_ADDRESS address - {0:#x}'.format(entry.register_region.address)) mem_error.error_type = error_type mem_error.flags = flags mem_error.memory_address = mem_addr mem_error.memory_address_range = mem_addr_range print(mem_error) elif error_type.pci_express_correctable or error_type.pci_express_uncorrectable_non_fatal or error_type.pci_express_uncorrectable_fatal: error_type, flags, segment, bus, device, function = value pcie_error = acpi.set_error_type_with_addr.from_address(entry.register_region.address) print('WRITE_REGISTER SET_ERROR_TYPE_WITH_ADDRESS address - {0:#x}'.format(entry.register_region.address)) pcie_error.error_type = error_type pcie_error.flags = flags pcie_error.pcie_sbdf.bits.function_num = function pcie_error.pcie_sbdf.bits.device_num = device pcie_error.pcie_sbdf.bits.bus_num = bus pcie_error.pcie_sbdf.bits.pcie_segment = segment print(pcie_error) else: raise ValueError("action SET_ERROR_TYPE_WITH_ADDRESS has unsupported error_type {}".format(error_type)) elif entry.injection_action == TRIGGER_ERROR: # Execute the actions specified in the trigger action table. trigger_table = get_trigger_action_table_op() for entry in trigger_table.entries: _execute_instruction(entry) else: raise ValueError("action is unsupported") def _execute_instruction(entry, value=None): print("entry.instruction = {:#x} ({})".format(entry.instruction, acpi._error_injection_instruction.get(entry.instruction, "Unknown"))) if entry.instruction is READ_REGISTER: return _read_register(entry) elif entry.instruction is READ_REGISTER_VALUE: return _read_register_value(entry) elif entry.instruction is WRITE_REGISTER_VALUE: return _write_register(entry) elif entry.instruction is WRITE_REGISTER: return _write_register(entry, value) elif entry.instruction is NOOP: return None def _read_register(entry): if entry.register_region.address_space_id == acpi.ASID_SYSTEM_MEMORY: print('READ_REGISTER address - {:#x}'.format(entry.register_region.address)) value = read_mem[entry.register_region.access_size](entry.register_region.address) value = value >> entry.register_region.register_bit_offset value = value & entry.mask print('READ_REGISTER value - {:#x}'.format(value)) return value return None def _read_register_value(entry): read_value = _read_register(entry) read_value = read_value >> entry.register_region.register_bit_offset read_value = read_value & entry.mask print('entry.value - {:#x}'.format(entry.value)) return read_value == entry.value <|fim▁hole|> if not value: value = entry.value if entry.register_region.address_space_id == acpi.ASID_SYSTEM_MEMORY: print('WRITE_REGISTER address - {:#x}'.format(entry.register_region.address)) read_value = read_mem[entry.register_region.access_size](entry.register_region.address) print('WRITE_REGISTER before value - {:#x}'.format(read_value)) if entry.flags.bits.preserve_register: read_value = read_value & ~(entry.mask << entry.register_region.register_bit_offset) value = value | read_value write_mem[entry.register_region.access_size](entry.register_region.address, value) read_value = read_mem[entry.register_region.access_size](entry.register_region.address) print('WRITE_REGISTER after value - {:#x}'.format(read_value)) elif entry.register_region.address_space_id == acpi.ASID_SYSTEM_IO: print('WRITE_REGISTER_VALUE IO address - {:#x}'.format(entry.register_region.address)) print('WRITE_REGISTER_VALUE value to write - {:#x}'.format(entry.value)) out_port[entry.register_region.access_size](entry.register_region.address, value) else: raise ValueError("Unsupported address_space_id: {}".format(entry.register_region.address_space_id)) def _write_register_value(entry, value): _write_register(entry, value) def get_action(action): einj = acpi.parse_einj() if einj is None: raise RuntimeError("No ACPI EINJ table found") for entry in einj.entries: if entry.injection_action == action: return entry def get_and_execute_op(action, value=None): entry = get_action(action) if entry is None: print('Error: Unexpected Action') return return _execute_action(entry, value) def begin_inject_op(): return get_and_execute_op(BEGIN_INJECTION_OPERATION) def get_trigger_action_table_op(): return get_and_execute_op(GET_TRIGGER_ERROR_ACTION_TABLE) def set_error_type_op(error_type): return get_and_execute_op(SET_ERROR_TYPE, error_type) def get_error_type_op(): return get_and_execute_op(GET_ERROR_TYPE) def end_inject_op(): return get_and_execute_op(END_OPERATION) def execute_inject_op(): return get_and_execute_op(EXECUTE_OPERATION) def _execute_trigger_error_op(): # Create an Trigger Error action to execute entry = acpi.InjectionInstructionEntry() entry.injection_action = TRIGGER_ERROR return _execute_action(entry) def check_busy_status_op(): busy_status = get_and_execute_op(CHECK_BUSY_STATUS) print('busy_status = {}'.format('Busy' if busy_status else 'Not Busy')) return busy_status def get_cmd_status_op(): cmd_status = get_and_execute_op(GET_COMMAND_STATUS) print('cmd_status = {:#x} ({})'.format(cmd_status, error_injection_command_status.get(cmd_status, 'Unknown'))) return cmd_status # This routine is specific to setting a memory error def _set_error_type_with_addr_op_mem(error_type, flags, mem_addr=None, mem_addr_range=None): return get_and_execute_op(SET_ERROR_TYPE_WITH_ADDRESS, (error_type, flags, mem_addr, mem_addr_range)) # This routine is specific to setting a processor error def _set_error_type_with_addr_op_cpu(error_type, flags, apicid=None): return get_and_execute_op(SET_ERROR_TYPE_WITH_ADDRESS, (error_type, flags, apicid)) # This routine is specific to setting a PCIE error def _set_error_type_with_addr_op_pcie(error_type, flags, segment=None, bus=None, device=None, function=None): return get_and_execute_op(SET_ERROR_TYPE_WITH_ADDRESS, (error_type, flags, (segment, bus, device, function))) def einj_cpu_init(): """Return the error injection cpu init method. Returns the cpu-specific method if available, otherwise default. Computed on first call, and cached for subsequent return.""" global einj_cpu_init @contextlib.contextmanager def default_cpu_init(): yield try: local_einj_cpu_init = cpulib.quirk_einj_cpu_init print("QUIRK: Setting processor-specific error injection init") except AttributeError: local_einj_cpu_init = default_cpu_init old_func = einj_cpu_init def einj_cpu_init(): return local_einj_cpu_init() functools.update_wrapper(einj_cpu_init, old_func) return local_einj_cpu_init() @contextlib.contextmanager def _error_injection_op(): with einj_cpu_init(): begin_inject_op() yield execute_inject_op() while check_busy_status_op(): continue cmd_status = get_cmd_status_op() if cmd_status != SUCCESS: return _execute_trigger_error_op() end_inject_op() @contextlib.contextmanager def _inject_memory_error(address=None, mask=None): # Constructor creates a structure with all zero init error_type = acpi.error_type_flags() yield error_type if (address is not None) and (mask is not None): # Constructor creates a structure with all zero init flags = acpi.set_error_type_with_addr_flags() flags.memory_addr_and_mask_valid = 1 _set_error_type_with_addr_op_mem(error_type, flags, address, mask) else: set_error_type_op(error_type) def inject_memory_correctable_err(address=None, mask=None): """ Inject memory correctable error. If address and mask are provided, then SET_ERROR_TYPE_WITH_ADDRESS Error Injection Action is used. Otherwise, SET_ERROR_TYPE is used.""" if get_error_type_op().memory_correctable == 0: print('Memory Correctable error injection is not supported') return with _error_injection_op(): with _inject_memory_error(address, mask) as error_type: error_type.memory_correctable = 1 def inject_memory_unc_nonfatal_err(address=None, mask=None): """Inject memory uncorrectable non-fatal error. If address and mask are provided, then SET_ERROR_TYPE_WITH_ADDRESS Error Injection Action is used. Otherwise, SET_ERROR_TYPE is used.""" if get_error_type_op().memory_uncorrectable_non_fatal == 0: print('Memory Uncorrectable non-Fatal error injection is not supported') return with _error_injection_op(): with _inject_memory_error(address, mask) as error_type: error_type.memory_uncorrectable_non_fatal = 1 def inject_memory_unc_fatal_err(address=None, mask=None): """Inject memory uncorrectable fatal error. If address and mask are provided, then SET_ERROR_TYPE_WITH_ADDRESS Error Injection Action is used. Otherwise, SET_ERROR_TYPE is used.""" if get_error_type_op().memory_uncorrectable_fatal == 0: print('Memory Uncorrectable Fatal error injection is not supported') return with _error_injection_op(): with _inject_memory_error(address, mask) as error_type: error_type.memory_uncorrectable_fatal = 1 @contextlib.contextmanager def _inject_processor_error(apicid=None): # Constructor creates a structure with all zero init error_type = acpi.error_type_flags() yield error_type if apicid is not None: # Constructor creates a structure with all zero init flags = acpi.set_error_type_with_addr_flags() flags.processor_apic_valid = 1 _set_error_type_with_addr_op_cpu(error_type, flags, apicid) else: set_error_type_op(error_type) def inject_processor_correctable_err(apicid=None): """ Inject processor correctable error. If apicid is provided, then SET_ERROR_TYPE_WITH_ADDRESS Error Injection Action is used. Otherwise, SET_ERROR_TYPE is used.""" if get_error_type_op().processor_correctable == 0: print('Processor Correctable error injection is not supported') return with _error_injection_op(): with _inject_processor_error(apicid) as error_type: error_type.processor_correctable = 1 def inject_processor_unc_nonfatal_err(apicid=None): """Inject processor uncorrectable non-fatal error. If apicid is provided, then SET_ERROR_TYPE_WITH_ADDRESS Error Injection Action is used. Otherwise, SET_ERROR_TYPE is used.""" if get_error_type_op().processor_uncorrectable_non_fatal == 0: print('Processor Uncorrectable non-Fatal error injection is not supported') return with _error_injection_op(): with _inject_processor_error(apicid) as error_type: error_type.processor_uncorrectable_non_fatal = 1 def inject_processor_unc_fatal_err(address=None, mask=None): """Inject PCIE uncorrectable fatal error. If apicid is provided, then SET_ERROR_TYPE_WITH_ADDRESS Error Injection Action is used. Otherwise, SET_ERROR_TYPE is used.""" if get_error_type_op().processor_uncorrectable_fatal == 0: print('Processor Uncorrectable Fatal error injection is not supported') return with _error_injection_op(): with _inject_processor_error(apicid) as error_type: error_type.processor_uncorrectable_fatal = 1 @contextlib.contextmanager def _inject_pcie_error(segment=None, bus=None, device=None, function=None): # Constructor creates a structure with all zero init error_type = acpi.error_type_flags() yield error_type if all(x is not None for x in (segment, bus, device, function)): # Constructor creates a structure with all zero init flags = acpi.set_error_type_with_addr_flags() flags.pcie_sbdf_valid = 1 _set_error_type_with_addr_op_pcie(error_type, flags, segment, bus, device, function) else: set_error_type_op(error_type) def inject_pcie_correctable_err(segment=None, bus=None, device=None, function=None): """ Inject PCIE correctable error. If segment, bus, device and function are provided, then SET_ERROR_TYPE_WITH_ADDRESS Error Injection Action is used. Otherwise, SET_ERROR_TYPE is used.""" if get_error_type_op().pci_express_correctable == 0: print('PCI Express Correctable error injection is not supported') return with _error_injection_op(): with _inject_pcie_error(segment=None, bus=None, device=None, function=None) as error_type: error_type.pcie_express_correctable = 1 def inject_pcie_unc_nonfatal_err(segment=None, bus=None, device=None, function=None): """Inject PCIE uncorrectable non-fatal error. If segment, bus, device and function are provided, then SET_ERROR_TYPE_WITH_ADDRESS Error Injection Action is used. Otherwise, SET_ERROR_TYPE is used.""" if get_error_type_op().processor_uncorrectable_non_fatal == 0: print('PCI Express Uncorrectable non-Fatal error injection is not supported') return with _error_injection_op(): with _inject_pcie_error(segment=None, bus=None, device=None, function=None) as error_type: error_type.pci_expresss_uncorrectable_non_fatal = 1 def inject_pcie_unc_fatal_err(segment=None, bus=None, device=None, function=None): """Inject PCIE uncorrectable fatal error. If segment, bus, device and function are provided, then SET_ERROR_TYPE_WITH_ADDRESS Error Injection Action is used. Otherwise, SET_ERROR_TYPE is used.""" if get_error_type_op().pci_express_uncorrectable_fatal == 0: print('PCIE Uncorrectable Fatal error injection is not supported') return with _error_injection_op(): with _inject_pcie_error(segment=None, bus=None, device=None, function=None) as error_type: error_type.processor_uncorrectable_fatal = 1 def _inject_platform_error(): # Constructor creates a structure with all zero init error_type = acpi.error_type_flags() yield error_type set_error_type_op(error_type) def inject_platform_correctable_err(): """ Inject platform correctable error.""" if get_error_type_op().platform_correctable == 0: print('Platform Correctable error injection is not supported') return with _error_injection_op(): with _inject_platform_error() as error_type: error_type.platform_correctable = 1 def inject_platform_unc_nonfatal_err(): """Inject platform uncorrectable non-fatal error.""" if get_error_type_op().platform_uncorrectable_non_fatal == 0: print('Platform Uncorrectable non-Fatal error injection is not supported') return with _error_injection_op(): with _inject_platform_error() as error_type: error_type.platform_uncorrectable_non_fatal = 1 def inject_platform_unc_fatal_err(): """Inject platform uncorrectable fatal error.""" if get_error_type_op().platform_uncorrectable_fatal == 0: print('Platform Uncorrectable Fatal error injection is not supported') return with _error_injection_op(): with _inject_platform_error() as error_type: error_type.platform_uncorrectable_fatal = 1 def display_einj_address(): address = acpi.get_table_addr("EINJ", 0) if address is not None: print('EINJ address {0:#x}'.format(address)) def display_supported_errors(): print(get_error_type_op()) def display_triggers(): with ttypager.page(): print(get_trigger_action_table_op()) def display_vendor_error_type_extension(): with ttypager.page(): entry = get_action(SET_ERROR_TYPE_WITH_ADDRESS) set_err = acpi.set_error_type_with_addr.from_address(entry.register_region.address) vendor_err_addr = entry.register_region.address + set_err.vendor_error_type_extension_structure_offset vendor_err = acpi.vendor_error_type_extension.from_address(vendor_err_addr) print(vendor_err) def display_einj(): with ttypager.page(): einj = acpi.parse_einj() if einj is None: raise RuntimeError("No ACPI EINJ table found") print(einj) def demo(): unc_methods = [ inject_memory_unc_nonfatal_err, inject_memory_unc_fatal_err, inject_processor_unc_nonfatal_err, inject_processor_unc_fatal_err, inject_pcie_unc_nonfatal_err, inject_pcie_unc_fatal_err, inject_platform_unc_nonfatal_err, inject_platform_unc_fatal_err, ] corr_methods = [ inject_memory_correctable_err, inject_processor_correctable_err, inject_pcie_correctable_err, inject_platform_correctable_err, ] display_methods = [ display_einj, display_einj_address, display_supported_errors, display_triggers, display_vendor_error_type_extension, ] with ttypager.page(): for item in display_methods: print("\n\n\nMethod name: {}".format(item.__name__)) print("Method doc:\n{}\n\n".format(item.__doc__ if item.__doc__ else "No documentation for this method")) item() for item in corr_methods: print("\n\nMethod name: {}".format(item.__name__)) print("Method doc: {}".format(item.__doc__ if item.__doc__ else "No documentation for this method")) item() for item in unc_methods: print("\n\n\nMethod name: {}".format(item.__name__)) print("Method doc: {}\n\n".format(item.__doc__ if item.__doc__ else "No documentation for this method")) print("Based on the name and documentation of this item, it is likely to be fatal.") print("Execute it directly from the python command line.") print("Your mileage may vary and if it breaks, you get to keep all the pieces.")<|fim▁end|>
def _write_register(entry, value=None):
<|file_name|>authorize.js<|end_file_name|><|fim▁begin|><|fim▁hole|> */ module.exports = function(kbox) { // Npm modules var inquirer = require('inquirer'); // Kbox modules var Promise = require('bluebird'); /* * Make sure the user wants to proceed with the install/update */ return function(state) { // Set up our confirmation question var confirm = { type: 'confirm', name: 'doit', message: 'Install all the magic and get this party started?', when: function(answers) { return !state.nonInteractive; } }; // Kick off a promise for this return new Promise(function(resolve) { return inquirer.prompt([confirm], function(answers) { // Log our answers state.log.debug('USER INPUT => ' + JSON.stringify(answers)); // Return our answers return resolve(answers); }); }); }; };<|fim▁end|>
'use strict'; /** * This contains a promisified confirmation question
<|file_name|>environment.py<|end_file_name|><|fim▁begin|>import functools import operator class Env(dict): """ Computational environment for some expression. Implemented with recursive composition - each environment has the outer environment. Every lookup for a name N in the environment E with outer environment O goes like this: 1) E.lookup(N) 2) O.lookup(N) 3) O.O.lookup(N) ... Until we find N in some environment or fail with exception. """ lookup_error_msg = '{} not found in Env<{}>' def __init__(self, names=(), values=(), outer=None): self.update(zip(names, values)) self.outer = outer def set(self, name, new_value): self.lookup(name) # Will fail if no name in Env self[name] = new_value def lookup(self, name): if name in self: return self[name] elif self.outer: return self.outer.lookup(name) else: raise LookupError(self.lookup_error_msg.format(name, self)) def builtins(): """ Define default environment full of builtin procedures. Basic primitives which all Lisps should have: eq? quote cons car cdr atom? In addition, this Lisp also have: - a set of numeric operations (+, -, =, /, etc) - reflection functions (list?, number?, symbol?, etc) - list processing functions (map, filter, foldl, etc) # TODO """ env = Env() env.update({ '+': lambda *args: sum(args), '*': lambda *args: functools.reduce(operator.mul, args), '-': operator.sub, '/': operator.truediv, '>': operator.gt, '<': operator.lt, '>=': operator.ge, '<=': operator.le, '=': operator.eq, 'abs': abs, 'and': operator.and_, 'or': operator.or_, 'car': lambda alist: alist[0], 'cdr': lambda alist: alist[1:], 'cons': lambda head, tail: [head] + tail, 'list': lambda *terms: list(terms), 'sum': sum,<|fim▁hole|> 'function?': callable, 'map': lambda fn, xs: [fn(x) for x in xs], 'filter': lambda fn, xs: [x for x in xs if fn(x)], 'reverse': lambda xs: xs[::-1], 'fold': functools.reduce, 'sum': sum, 'mul': functools.partial(functools.reduce, operator.mul), 'eq?': operator.eq, }) return env default = builtins()<|fim▁end|>
'list?': lambda term: isinstance(term, list), 'atom?': lambda term: isinstance(term, (int, float, str)), 'number?': lambda term: isinstance(term, (int, float)), 'symbol?': lambda term: isinstance(term, str),
<|file_name|>OptionHandler.java<|end_file_name|><|fim▁begin|>/* * Copyright to the original author or authors. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.rioproject.tools.cli; import java.io.BufferedReader; import java.io.PrintStream; /** * Define plugin interface for CLI option handlers. An OptionHandler is * responsible for providing a option, or activity, that will be used through * the CLI. * * @author Dennis Reedy */<|fim▁hole|> * * @param input Parameters for the option, may be null * @param br An optional BufferdReader, used if the option requires input. * if this is null, the option handler may create a BufferedReader to * handle the input * @param out The PrintStream to use if the option prints results or * choices for the user. Must not be null * * @return The result of the action. */ String process(String input, BufferedReader br, PrintStream out); /** * Get the usage of the command * * @return Command usage */ String getUsage(); }<|fim▁end|>
public interface OptionHandler { /** * Process the option.
<|file_name|>up-to-date.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python # # Copyright (c) 2001 - 2016 The SCons Foundation # # Permission is hereby granted, free of charge, to any person obtaining # a copy of this software and associated documentation files (the # "Software"), to deal in the Software without restriction, including # without limitation the rights to use, copy, modify, merge, publish, # distribute, sublicense, and/or sell copies of the Software, and to # permit persons to whom the Software is furnished to do so, subject to # the following conditions: # # The above copyright notice and this permission notice shall be included # in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY # KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE # WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND # NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE # LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION # OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION # WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. #<|fim▁hole|> __revision__ = "test/QT/up-to-date.py rel_2.5.1:3735:9dc6cee5c168 2016/11/03 14:02:02 bdbaddog" """ Validate that a stripped-down real-world Qt configuation (thanks to Leanid Nazdrynau) with a generated .h file is correctly up-to-date after a build. (This catches a bug that was introduced during a signature refactoring ca. September 2005.) """ import os import TestSCons _obj = TestSCons._obj test = TestSCons.TestSCons() if not os.environ.get('QTDIR', None): x ="External environment variable $QTDIR not set; skipping test(s).\n" test.skip_test(x) test.subdir('layer', ['layer', 'aclock'], ['layer', 'aclock', 'qt_bug']) test.write('SConstruct', """\ import os aa=os.getcwd() env=Environment(tools=['default','expheaders','qt'],toolpath=[aa]) env["EXP_HEADER_ABS"]=os.path.join(os.getcwd(),'include') if not os.access(env["EXP_HEADER_ABS"],os.F_OK): os.mkdir (env["EXP_HEADER_ABS"]) Export('env') env.SConscript('layer/aclock/qt_bug/SConscript') """) test.write('expheaders.py', """\ import SCons.Defaults def ExpHeaderScanner(node, env, path): return [] def generate(env): HeaderAction=SCons.Action.Action([SCons.Defaults.Copy('$TARGET','$SOURCE'),SCons.Defaults.Chmod('$TARGET',0755)]) HeaderBuilder= SCons.Builder.Builder(action=HeaderAction) env['BUILDERS']['ExportHeaders'] = HeaderBuilder def exists(env): return 0 """) test.write(['layer', 'aclock', 'qt_bug', 'SConscript'], """\ import os Import ("env") env.ExportHeaders(os.path.join(env["EXP_HEADER_ABS"],'main.h'), 'main.h') env.ExportHeaders(os.path.join(env["EXP_HEADER_ABS"],'migraform.h'), 'migraform.h') env.Append(CPPPATH=env["EXP_HEADER_ABS"]) env.StaticLibrary('all',['main.ui','migraform.ui','my.cc']) """) test.write(['layer', 'aclock', 'qt_bug', 'main.ui'], """\ <!DOCTYPE UI><UI version="3.3" stdsetdef="1"> <class>Main</class> <widget class="QWizard"> <property name="name"> <cstring>Main</cstring> </property> <property name="geometry"> <rect> <x>0</x> <y>0</y> <width>600</width> <height>385</height> </rect> </property> </widget> <includes> <include location="local" impldecl="in implementation">migraform.h</include> </includes> </UI> """) test.write(['layer', 'aclock', 'qt_bug', 'migraform.ui'], """\ <!DOCTYPE UI><UI version="3.3" stdsetdef="1"> <class>MigrateForm</class> <widget class="QWizard"> <property name="name"> <cstring>MigrateForm</cstring> </property> <property name="geometry"> <rect> <x>0</x> <y>0</y> <width>600</width> <height>385</height> </rect> </property> </widget> </UI> """) test.write(['layer', 'aclock', 'qt_bug', 'my.cc'], """\ #include <main.h> """) my_obj = 'layer/aclock/qt_bug/my'+_obj test.run(arguments = my_obj, stderr=None) expect = my_obj.replace( '/', os.sep ) test.up_to_date(options = '--debug=explain', arguments = (expect), stderr=None) test.pass_test() # Local Variables: # tab-width:4 # indent-tabs-mode:nil # End: # vim: set expandtab tabstop=4 shiftwidth=4:<|fim▁end|>
<|file_name|>basic.py<|end_file_name|><|fim▁begin|>"""Implementation of basic magic functions.""" import argparse import textwrap import io import sys from pprint import pformat from IPython.core import magic_arguments, page from IPython.core.error import UsageError from IPython.core.magic import Magics, magics_class, line_magic, magic_escapes from IPython.utils.text import format_screen, dedent, indent from IPython.testing.skipdoctest import skip_doctest from IPython.utils.ipstruct import Struct from warnings import warn from logging import error class MagicsDisplay(object): def __init__(self, magics_manager, ignore=None): self.ignore = ignore if ignore else [] self.magics_manager = magics_manager def _lsmagic(self): """The main implementation of the %lsmagic""" mesc = magic_escapes['line'] cesc = magic_escapes['cell'] mman = self.magics_manager magics = mman.lsmagic() out = ['Available line magics:', mesc + (' '+mesc).join(sorted([m for m,v in magics['line'].items() if (v not in self.ignore)])), '', 'Available cell magics:', cesc + (' '+cesc).join(sorted([m for m,v in magics['cell'].items() if (v not in self.ignore)])), '', mman.auto_status()] return '\n'.join(out) def _repr_pretty_(self, p, cycle): p.text(self._lsmagic()) def __str__(self): return self._lsmagic() def _jsonable(self): """turn magics dict into jsonable dict of the same structure replaces object instances with their class names as strings """ magic_dict = {} mman = self.magics_manager magics = mman.lsmagic() for key, subdict in magics.items(): d = {} magic_dict[key] = d for name, obj in subdict.items(): try: classname = obj.__self__.__class__.__name__ except AttributeError: classname = 'Other' d[name] = classname return magic_dict def _repr_json_(self): return self._jsonable() @magics_class class BasicMagics(Magics): """Magics that provide central IPython functionality. These are various magics that don't fit into specific categories but that are all part of the base 'IPython experience'.""" @magic_arguments.magic_arguments() @magic_arguments.argument( '-l', '--line', action='store_true', help="""Create a line magic alias.""" ) @magic_arguments.argument( '-c', '--cell', action='store_true', help="""Create a cell magic alias.""" ) @magic_arguments.argument( 'name', help="""Name of the magic to be created.""" ) @magic_arguments.argument( 'target', help="""Name of the existing line or cell magic.""" ) @magic_arguments.argument( '-p', '--params', default=None, help="""Parameters passed to the magic function.""" ) @line_magic def alias_magic(self, line=''): """Create an alias for an existing line or cell magic. Examples -------- :: In [1]: %alias_magic t timeit Created `%t` as an alias for `%timeit`. Created `%%t` as an alias for `%%timeit`. In [2]: %t -n1 pass 1 loops, best of 3: 954 ns per loop In [3]: %%t -n1 ...: pass ...: 1 loops, best of 3: 954 ns per loop In [4]: %alias_magic --cell whereami pwd UsageError: Cell magic function `%%pwd` not found. In [5]: %alias_magic --line whereami pwd Created `%whereami` as an alias for `%pwd`. In [6]: %whereami Out[6]: u'/home/testuser' In [7]: %alias_magic h history -p "-l 30" --line Created `%h` as an alias for `%history -l 30`. """ args = magic_arguments.parse_argstring(self.alias_magic, line) shell = self.shell mman = self.shell.magics_manager escs = ''.join(magic_escapes.values()) target = args.target.lstrip(escs) name = args.name.lstrip(escs) params = args.params if (params and ((params.startswith('"') and params.endswith('"')) or (params.startswith("'") and params.endswith("'")))): params = params[1:-1] # Find the requested magics. m_line = shell.find_magic(target, 'line') m_cell = shell.find_magic(target, 'cell') if args.line and m_line is None: raise UsageError('Line magic function `%s%s` not found.' % (magic_escapes['line'], target)) if args.cell and m_cell is None: raise UsageError('Cell magic function `%s%s` not found.' % (magic_escapes['cell'], target)) # If --line and --cell are not specified, default to the ones # that are available. if not args.line and not args.cell: if not m_line and not m_cell: raise UsageError( 'No line or cell magic with name `%s` found.' % target ) args.line = bool(m_line) args.cell = bool(m_cell) params_str = "" if params is None else " " + params if args.line: mman.register_alias(name, target, 'line', params) print('Created `%s%s` as an alias for `%s%s%s`.' % ( magic_escapes['line'], name, magic_escapes['line'], target, params_str)) if args.cell: mman.register_alias(name, target, 'cell', params) print('Created `%s%s` as an alias for `%s%s%s`.' % ( magic_escapes['cell'], name, magic_escapes['cell'], target, params_str)) @line_magic def lsmagic(self, parameter_s=''): """List currently available magic functions.""" return MagicsDisplay(self.shell.magics_manager, ignore=[self.pip]) def _magic_docs(self, brief=False, rest=False): """Return docstrings from magic functions.""" mman = self.shell.magics_manager docs = mman.lsmagic_docs(brief, missing='No documentation') if rest: format_string = '**%s%s**::\n\n%s\n\n' else: format_string = '%s%s:\n%s\n' return ''.join( [format_string % (magic_escapes['line'], fname, indent(dedent(fndoc))) for fname, fndoc in sorted(docs['line'].items())] + [format_string % (magic_escapes['cell'], fname, indent(dedent(fndoc))) for fname, fndoc in sorted(docs['cell'].items())] ) @line_magic def magic(self, parameter_s=''): """Print information about the magic function system. Supported formats: -latex, -brief, -rest """ mode = '' try: mode = parameter_s.split()[0][1:] except IndexError: pass brief = (mode == 'brief') rest = (mode == 'rest') magic_docs = self._magic_docs(brief, rest) if mode == 'latex': print(self.format_latex(magic_docs)) return else: magic_docs = format_screen(magic_docs) out = [""" IPython's 'magic' functions =========================== The magic function system provides a series of functions which allow you to control the behavior of IPython itself, plus a lot of system-type features. There are two kinds of magics, line-oriented and cell-oriented. Line magics are prefixed with the % character and work much like OS command-line calls: they get as an argument the rest of the line, where arguments are passed without parentheses or quotes. For example, this will time the given statement:: %timeit range(1000) Cell magics are prefixed with a double %%, and they are functions that get as an argument not only the rest of the line, but also the lines below it in a separate argument. These magics are called with two arguments: the rest of the call line and the body of the cell, consisting of the lines below the first. For example:: %%timeit x = numpy.random.randn((100, 100)) numpy.linalg.svd(x) will time the execution of the numpy svd routine, running the assignment of x as part of the setup phase, which is not timed. In a line-oriented client (the terminal or Qt console IPython), starting a new input with %% will automatically enter cell mode, and IPython will continue reading input until a blank line is given. In the notebook, simply type the whole cell as one entity, but keep in mind that the %% escape can only be at the very start of the cell. NOTE: If you have 'automagic' enabled (via the command line option or with the %automagic function), you don't need to type in the % explicitly for line magics; cell magics always require an explicit '%%' escape. By default, IPython ships with automagic on, so you should only rarely need the % escape. Example: typing '%cd mydir' (without the quotes) changes your working directory to 'mydir', if it exists. For a list of the available magic functions, use %lsmagic. For a description of any of them, type %magic_name?, e.g. '%cd?'. Currently the magic system has the following functions:""", magic_docs, "Summary of magic functions (from %slsmagic):" % magic_escapes['line'], str(self.lsmagic()), ] page.page('\n'.join(out)) @line_magic def page(self, parameter_s=''): """Pretty print the object and display it through a pager. %page [options] OBJECT If no object is given, use _ (last output). Options: -r: page str(object), don't pretty-print it.""" # After a function contributed by Olivier Aubert, slightly modified. # Process options/args opts, args = self.parse_options(parameter_s, 'r') raw = 'r' in opts oname = args and args or '_' info = self.shell._ofind(oname) if info['found']: txt = (raw and str or pformat)( info['obj'] ) page.page(txt) else: print('Object `%s` not found' % oname) @line_magic def profile(self, parameter_s=''): """Print your currently active IPython profile. See Also -------- prun : run code using the Python profiler (:meth:`~IPython.core.magics.execution.ExecutionMagics.prun`)<|fim▁hole|> raise UsageError("The `%profile` magic has been deprecated since IPython 2.0. " "and removed in IPython 6.0. Please use the value of `get_ipython().profile` instead " "to see current profile in use. Perhaps you meant to use `%prun` to profile code?") @line_magic def pprint(self, parameter_s=''): """Toggle pretty printing on/off.""" ptformatter = self.shell.display_formatter.formatters['text/plain'] ptformatter.pprint = bool(1 - ptformatter.pprint) print('Pretty printing has been turned', ['OFF','ON'][ptformatter.pprint]) @line_magic def colors(self, parameter_s=''): """Switch color scheme for prompts, info system and exception handlers. Currently implemented schemes: NoColor, Linux, LightBG. Color scheme names are not case-sensitive. Examples -------- To get a plain black and white terminal:: %colors nocolor """ def color_switch_err(name): warn('Error changing %s color schemes.\n%s' % (name, sys.exc_info()[1]), stacklevel=2) new_scheme = parameter_s.strip() if not new_scheme: raise UsageError( "%colors: you must specify a color scheme. See '%colors?'") # local shortcut shell = self.shell # Set shell colour scheme try: shell.colors = new_scheme shell.refresh_style() except: color_switch_err('shell') # Set exception colors try: shell.InteractiveTB.set_colors(scheme = new_scheme) shell.SyntaxTB.set_colors(scheme = new_scheme) except: color_switch_err('exception') # Set info (for 'object?') colors if shell.color_info: try: shell.inspector.set_active_scheme(new_scheme) except: color_switch_err('object inspector') else: shell.inspector.set_active_scheme('NoColor') @line_magic def xmode(self, parameter_s=''): """Switch modes for the exception handlers. Valid modes: Plain, Context and Verbose. If called without arguments, acts as a toggle.""" def xmode_switch_err(name): warn('Error changing %s exception modes.\n%s' % (name,sys.exc_info()[1])) shell = self.shell new_mode = parameter_s.strip().capitalize() try: shell.InteractiveTB.set_mode(mode=new_mode) print('Exception reporting mode:',shell.InteractiveTB.mode) except: xmode_switch_err('user') @line_magic def pip(self, args=''): """ Intercept usage of ``pip`` in IPython and direct user to run command outside of IPython. """ print(textwrap.dedent(''' The following command must be run outside of the IPython shell: $ pip {args} The Python package manager (pip) can only be used from outside of IPython. Please reissue the `pip` command in a separate terminal or command prompt. See the Python documentation for more informations on how to install packages: https://docs.python.org/3/installing/'''.format(args=args))) @line_magic def quickref(self, arg): """ Show a quick reference sheet """ from IPython.core.usage import quick_reference qr = quick_reference + self._magic_docs(brief=True) page.page(qr) @line_magic def doctest_mode(self, parameter_s=''): """Toggle doctest mode on and off. This mode is intended to make IPython behave as much as possible like a plain Python shell, from the perspective of how its prompts, exceptions and output look. This makes it easy to copy and paste parts of a session into doctests. It does so by: - Changing the prompts to the classic ``>>>`` ones. - Changing the exception reporting mode to 'Plain'. - Disabling pretty-printing of output. Note that IPython also supports the pasting of code snippets that have leading '>>>' and '...' prompts in them. This means that you can paste doctests from files or docstrings (even if they have leading whitespace), and the code will execute correctly. You can then use '%history -t' to see the translated history; this will give you the input after removal of all the leading prompts and whitespace, which can be pasted back into an editor. With these features, you can switch into this mode easily whenever you need to do testing and changes to doctests, without having to leave your existing IPython session. """ # Shorthands shell = self.shell meta = shell.meta disp_formatter = self.shell.display_formatter ptformatter = disp_formatter.formatters['text/plain'] # dstore is a data store kept in the instance metadata bag to track any # changes we make, so we can undo them later. dstore = meta.setdefault('doctest_mode',Struct()) save_dstore = dstore.setdefault # save a few values we'll need to recover later mode = save_dstore('mode',False) save_dstore('rc_pprint',ptformatter.pprint) save_dstore('xmode',shell.InteractiveTB.mode) save_dstore('rc_separate_out',shell.separate_out) save_dstore('rc_separate_out2',shell.separate_out2) save_dstore('rc_separate_in',shell.separate_in) save_dstore('rc_active_types',disp_formatter.active_types) if not mode: # turn on # Prompt separators like plain python shell.separate_in = '' shell.separate_out = '' shell.separate_out2 = '' ptformatter.pprint = False disp_formatter.active_types = ['text/plain'] shell.magic('xmode Plain') else: # turn off shell.separate_in = dstore.rc_separate_in shell.separate_out = dstore.rc_separate_out shell.separate_out2 = dstore.rc_separate_out2 ptformatter.pprint = dstore.rc_pprint disp_formatter.active_types = dstore.rc_active_types shell.magic('xmode ' + dstore.xmode) # mode here is the state before we switch; switch_doctest_mode takes # the mode we're switching to. shell.switch_doctest_mode(not mode) # Store new mode and inform dstore.mode = bool(not mode) mode_label = ['OFF','ON'][dstore.mode] print('Doctest mode is:', mode_label) @line_magic def gui(self, parameter_s=''): """Enable or disable IPython GUI event loop integration. %gui [GUINAME] This magic replaces IPython's threaded shells that were activated using the (pylab/wthread/etc.) command line flags. GUI toolkits can now be enabled at runtime and keyboard interrupts should work without any problems. The following toolkits are supported: wxPython, PyQt4, PyGTK, Tk and Cocoa (OSX):: %gui wx # enable wxPython event loop integration %gui qt4|qt # enable PyQt4 event loop integration %gui qt5 # enable PyQt5 event loop integration %gui gtk # enable PyGTK event loop integration %gui gtk3 # enable Gtk3 event loop integration %gui tk # enable Tk event loop integration %gui osx # enable Cocoa event loop integration # (requires %matplotlib 1.1) %gui # disable all event loop integration WARNING: after any of these has been called you can simply create an application object, but DO NOT start the event loop yourself, as we have already handled that. """ opts, arg = self.parse_options(parameter_s, '') if arg=='': arg = None try: return self.shell.enable_gui(arg) except Exception as e: # print simple error message, rather than traceback if we can't # hook up the GUI error(str(e)) @skip_doctest @line_magic def precision(self, s=''): """Set floating point precision for pretty printing. Can set either integer precision or a format string. If numpy has been imported and precision is an int, numpy display precision will also be set, via ``numpy.set_printoptions``. If no argument is given, defaults will be restored. Examples -------- :: In [1]: from math import pi In [2]: %precision 3 Out[2]: u'%.3f' In [3]: pi Out[3]: 3.142 In [4]: %precision %i Out[4]: u'%i' In [5]: pi Out[5]: 3 In [6]: %precision %e Out[6]: u'%e' In [7]: pi**10 Out[7]: 9.364805e+04 In [8]: %precision Out[8]: u'%r' In [9]: pi**10 Out[9]: 93648.047476082982 """ ptformatter = self.shell.display_formatter.formatters['text/plain'] ptformatter.float_precision = s return ptformatter.float_format @magic_arguments.magic_arguments() @magic_arguments.argument( '-e', '--export', action='store_true', default=False, help=argparse.SUPPRESS ) @magic_arguments.argument( 'filename', type=str, help='Notebook name or filename' ) @line_magic def notebook(self, s): """Export and convert IPython notebooks. This function can export the current IPython history to a notebook file. For example, to export the history to "foo.ipynb" do "%notebook foo.ipynb". The -e or --export flag is deprecated in IPython 5.2, and will be removed in the future. """ args = magic_arguments.parse_argstring(self.notebook, s) from nbformat import write, v4 cells = [] hist = list(self.shell.history_manager.get_range()) if(len(hist)<=1): raise ValueError('History is empty, cannot export') for session, execution_count, source in hist[:-1]: cells.append(v4.new_code_cell( execution_count=execution_count, source=source )) nb = v4.new_notebook(cells=cells) with io.open(args.filename, 'w', encoding='utf-8') as f: write(nb, f, version=4)<|fim▁end|>
"""
<|file_name|>prune_test.py<|end_file_name|><|fim▁begin|>#!/usr/bin/python # Copyright (c) 2012 The Native Client Authors. All rights reserved. # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. """Tests that a set of symbols are truly pruned from the translator. Compares the pruned down "on-device" translator with the "fat" host build which has not been pruned down. """ import glob import re import subprocess import sys import unittest class SymbolInfo(object): def __init__(self, lib_name, sym_name, t, size): self.lib_name = lib_name self.sym_name = sym_name self.type = t self.size = size def is_weak(t): t = t.upper() return t == 'V' or t == 'W' def is_local(t): # According to the NM documentation: # "If lowercase, the symbol is usually local... There are however a few # lowercase symbols that are shown for special global symbols # ("u", "v" and "w")." return t != 'u' and not is_weak(t) and t.islower() def merge_symbols(sdict1, sdict2): for sym_name, v2 in sdict2.iteritems(): # Check for duplicate symbols. if sym_name in sdict1: v1 = sdict1[sym_name] # Only print warning if they are not weak / differently sized. if (not (is_weak(v2.type) or is_weak(v1.type)) and v1.size != v2.size): print 'Warning symbol %s defined in both %s(%d, %s) and %s(%d, %s)' % ( sym_name, v1.lib_name, v1.size, v1.type, v2.lib_name, v2.size, v2.type) # Arbitrarily take the max. The sizes are approximate anyway, # since the host binaries are built from a different compiler. v1.size = max(v1.size, v2.size) continue # Otherwise just copy info over to sdict2. sdict1[sym_name] = sdict2[sym_name] return sdict1 class TestTranslatorPruned(unittest.TestCase): pruned_symbols = {} unpruned_symbols = {} @classmethod def get_symbol_info(cls, nm_tool, bin_name): results = {} nm_cmd = [nm_tool, '--size-sort', '--demangle', bin_name] print 'Getting symbols and sizes by running:\n' + ' '.join(nm_cmd) for line in iter(subprocess.check_output(nm_cmd).splitlines()): (hex_size, t, sym_name) = line.split(' ', 2) # Only track defined and non-BSS symbols. if t != 'U' and t.upper() != 'B': info = SymbolInfo(bin_name, sym_name, t, int(hex_size, 16)) # For local symbols, tack the library name on as a prefix.<|fim▁hole|> key = sym_name # The same library can have the same local symbol. Just sum up sizes. if key in results: old = results[key] old.size = old.size + info.size else: results[key] = info return results @classmethod def setUpClass(cls): nm_tool = sys.argv[1] host_binaries = glob.glob(sys.argv[2]) target_binary = sys.argv[3] print 'Getting symbol info from %s (host) and %s (target)' % ( sys.argv[2], sys.argv[3]) assert host_binaries, ('Did not glob any binaries from: ' % sys.argv[2]) for b in host_binaries: cls.unpruned_symbols = merge_symbols(cls.unpruned_symbols, cls.get_symbol_info(nm_tool, b)) cls.pruned_symbols = cls.get_symbol_info(nm_tool, target_binary) # Do an early check that these aren't stripped binaries. assert cls.unpruned_symbols, 'No symbols from host?' assert cls.pruned_symbols, 'No symbols from target?' def size_of_matching_syms(self, sym_regex, sym_infos): # Check if a given sym_infos has symbols matching sym_regex, and # return the total size of all matching symbols. total = 0 for sym_name, sym_info in sym_infos.iteritems(): if re.search(sym_regex, sym_info.sym_name): total += sym_info.size return total def test_prunedNotFullyStripped(self): """Make sure that the test isn't accidentally passing. The test can accidentally pass if the translator is stripped of symbols. Then it would look like everything is pruned out. Look for a symbol that's guaranteed not to be pruned out. """ pruned = self.size_of_matching_syms('stream_init.*NaClSrpc', TestTranslatorPruned.pruned_symbols) self.assertNotEqual(pruned, 0) def test_didPrune(self): """Check for classes/namespaces/symbols that we have intentionally pruned. Check that the symbols are not present anymore in the translator, and check that the symbols actually do exist in the developer tools. That prevents the test from accidentally passing if the symbols have been renamed to something else. """ total = 0 pruned_list = [ 'LLParser', 'LLLexer', 'MCAsmParser', '::AsmParser', 'ARMAsmParser', 'X86AsmParser', 'ELFAsmParser', 'COFFAsmParser', 'DarwinAsmParser', 'MCAsmLexer', '::AsmLexer', # Gigantic Asm MatchTable (globbed for all targets), 'MatchTable', 'PBQP', # Can only check *InstPrinter::print*, not *::getRegisterName(): # https://code.google.com/p/nativeclient/issues/detail?id=3326 'ARMInstPrinter::print', 'X86.*InstPrinter::print', # Currently pruned by hacking Triple.h. That covers most things, # but not all. E.g., container-specific relocation handling. '.*MachObjectWriter', 'TargetLoweringObjectFileMachO', 'MCMachOStreamer', '.*MCAsmInfoDarwin', '.*COFFObjectWriter', 'TargetLoweringObjectFileCOFF', '.*COFFStreamer', '.*AsmInfoGNUCOFF', # This is not pruned out: 'MCSectionMachO', 'MCSectionCOFF', # 'MachineModuleInfoMachO', ... ] for sym_regex in pruned_list: unpruned = self.size_of_matching_syms( sym_regex, TestTranslatorPruned.unpruned_symbols) pruned = self.size_of_matching_syms( sym_regex, TestTranslatorPruned.pruned_symbols) self.assertNotEqual(unpruned, 0, 'Unpruned never had ' + sym_regex) self.assertEqual(pruned, 0, 'Pruned still has ' + sym_regex) # Bytes pruned is approximate since the host build is different # from the target build (different inlining / optimizations). print 'Pruned out approx %d bytes worth of %s symbols' % (unpruned, sym_regex) total += unpruned print 'Total %d bytes' % total if __name__ == '__main__': if len(sys.argv) != 4: print 'Usage: %s <nm_tool> <unpruned_host_binary> <pruned_target_binary>' sys.exit(1) suite = unittest.TestLoader().loadTestsFromTestCase(TestTranslatorPruned) result = unittest.TextTestRunner(verbosity=2).run(suite) if result.wasSuccessful(): sys.exit(0) else: sys.exit(1)<|fim▁end|>
# That should still match the regexes later. if is_local(t): key = bin_name + '$' + sym_name else:
<|file_name|>test_view_list_all_medications.py<|end_file_name|><|fim▁begin|>from django.test import TestCase from medicine.models import Medicine from medicine.views import ListAllMedicines from user.models import HealthProfessional class TestListAllMedicines(TestCase): def setUp(self): # Making a HealthProfessional<|fim▁hole|> self.view = ListAllMedicines # Making medicati self.medicine = Medicine() self.medicine.name = "Medicamento Teste" self.medicine.active_ingredient = "Teste Lab" self.medicine.save() self.listing = Medicine.objects.all() def test_medicine_is_show(self): instance = self.view() self.assertEqual(instance.get_queryset()[0], self.listing[0])<|fim▁end|>
<|file_name|>RadioInput.spec.js<|end_file_name|><|fim▁begin|>import React from 'react'; import { shallow } from 'enzyme'; import { expect } from 'chai'; import sinon from 'sinon'; import RadioInput from './'; describe('RadioInput', () => { let wrapper; let value; let style;<|fim▁hole|> style = { backgroundColor: 'blue' }; onChange = sinon.spy(); wrapper = shallow( <RadioInput style={style} value={value} onChange={onChange} /> ); }); it('should render a radio tag', () => { expect(wrapper.find('radio')).to.have.length(1); }); it('should have a style value set via the style prop', () => { expect(wrapper.find('radio')).to.have.style('background-color', 'blue'); }); it('should have a value set via the value prop', () => { expect(wrapper.find('radio').text()).to.equal(value); }); it('should call onChange on change', () => { wrapper.find('radio').simulate('change'); expect(onChange.calledOnce).to.equal(true); }); });<|fim▁end|>
let onChange; beforeEach(() => { value = 'test';
<|file_name|>FastqFileFactory.py<|end_file_name|><|fim▁begin|>import os,re,fnmatch from ehive.runnable.IGFBaseJobFactory import IGFBaseJobFactory class FastqFileFactory(IGFBaseJobFactory): ''' A job factory class for creating fan jobs for demultilexed fastq files ''' def param_defaults(self): params_dict=super(FastqFileFactory,self).param_defaults() params_dict.update({ 'required_keyword':None, 'filter_keyword':None, 'read_pattern':'\S+_L00\d_R[12]_\d+\.fastq(\.gz)?', }) return params_dict def run(self): try: fastq_dir=self.param_required('fastq_dir') seqrun_igf_id=self.param_required('seqrun_igf_id') required_keyword=self.param('required_keyword') filter_keyword=self.param('filter_keyword') read_pattern=self.param_required('read_pattern')<|fim▁hole|> if required_keyword is None and \ filter_keyword is None: raise ValueError('Required either required_keyword or filter_keyword') read_pattern=re.compile(r'{0}'.format(read_pattern)) # compile read pattern if not os.path.exists(fastq_dir): raise IOError('fastq dir {0} not accessible'.format(fastq_dir)) fastq_list=list() # create empty output list for root, _, files in os.walk(top=fastq_dir): for file in files: if fnmatch.fnmatch(file, '*.fastq.gz'): # only consider fastq.gz files for now if re.search(read_pattern,file): # skip if its not R1 and R2 reads and not illumina format name if required_keyword and fnmatch.fnmatch(file, required_keyword ): fastq_list.append({'fastq_file':os.path.join(root,file)}) # add fastq file to the list if its amatch elif filter_keyword and not fnmatch.fnmatch(file, filter_keyword ): fastq_list.append({'fastq_file':os.path.join(root,file)}) # add fastq file to the list if its not a match self.param('sub_tasks',fastq_list) # add fastq files to the dataflow except Exception as e: message = \ 'seqrun: {2}, Error in {0}: {1}'.\ format( self.__class__.__name__, e, seqrun_igf_id) self.warning(message) self.post_message_to_slack(message,reaction='fail') # post msg to slack for failed jobs self.post_message_to_ms_team( message=message, reaction='fail') raise<|fim▁end|>
<|file_name|>angular-touch.min.js<|end_file_name|><|fim▁begin|>version https://git-lfs.github.com/spec/v1<|fim▁hole|><|fim▁end|>
oid sha256:6f71532f9445b6d65fbaecee3fa6944aa804f3a8f7364028a6d8c71261adc0e5 size 3643
<|file_name|>api_v2.py<|end_file_name|><|fim▁begin|>""" The MIT License (MIT) Copyright (c) 2015 Robert Hodgen Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. """ from ndb_users import users import webapp2 from google.appengine.ext import ndb import json import logging from datetime import datetime, timedelta import model import re import utilities import setup from google.appengine.api import mail class Projects(webapp2.RequestHandler): def get(self, project_id=None): """ Return a list of Projects this User has access to. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) if project_id: project_key = utilities.key_for_urlsafe_id(project_id) if not project_key: self.abort(400) project = project_key.get() if not (project and isinstance(project, model.Project)): self.abort(404) if user.email not in project.users: self.abort(401) response_object = project.json_object() else: # Query for Projects this User owns, contributes to, or may observe projects = model.Project.query(model.Project.users == user.email) response_object = [] for project in projects: response_object.append(project.json_object()) # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) def post(self): """ Create a new Project for this User. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) # Get JSON request body if not self.request.body: szelf.abort(400) request_object = json.loads(self.request.body) name = request_object.get('name') if not name: self.abort(400) new_project_key = model.Project.create_project(name) new_project = new_project_key.get() if len(request_object.keys()) > 1: # Process optional items... description = request_object.get('description') if description: new_project.description = description new_project.put() setup.default_project_labels(new_project) response_object = new_project.json_object() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) def put(self, project_id): """ Update a Project. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) # GET JSON request body if not project_id or not self.request.body: self.abort(400) request_object = json.loads(self.request.body) project_key = utilities.key_for_urlsafe_id(project_id) if not project_key or len(request_object) < 1: self.abort(400) project = project_key.get() if not (project and isinstance(project, model.Project)): self.abort(404) if (not project.is_owner(user.email) and not project.has_contributor(user.email)): self.abort(401) # Process changes... name = request_object.get('name') if name: project.name = name description = request_object.get('description') if description: project.description = description active = request_object.get('active') if isinstance(active, bool): project.active = active project.put() response_object = project.json_object() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) def delete(self, project_id): """ Delete this user's Project. """ response_object = {} user = users.get_current_user() if not user: # No user self.abort(401) return None # Get JSON request body if not project_id: self.abort(400) project_key = utilities.key_for_urlsafe_id(project_id) if not project_key: self.abort(400) project = project.get() if not (project and isinstance(project, model.Project)): self.abort(404) if not project.is_owner(user.email): self.abort(401) ndb.delete_multi(ndb.Query(ancestor=project_key).iter(keys_only=True)) # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) class Contributors(webapp2.RequestHandler): def post(self, project_id, contributor_email): """ Add Contributors to this Project. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) # Get JSON request body if not project_id or not contributor_email: self.abort(400) project_key = utilities.key_for_urlsafe_id(project_id) if not project_key: self.abort(400) project = project_key.get() if not (project and isinstance(project, model.Project)): self.abort(404) # new_contributor = users.User.user_for_email(contributor_email) # if not new_contributor: # self.abort(404) if not mail.is_email_valid(contributor_email): self.abort(400) if (not project.is_owner(user.email) and not project.has_contributor(user.email)): self.abort(401) project.add_contributors([contributor_email]) utilities.send_project_contributor_email(contributor_email, user, project) response_object = project.json_object() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) def delete(self, project_id, contributor_email): """ Remove Contributors from this Project. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) # Get JSON request body if not project_id or not contributor_email: self.abort(400) project_key = utilities.key_for_urlsafe_id(project_id) if not project_key: self.abort(400) project = project_key.get() if not (project and isinstance(project, model.Project)): self.abort(404) if not project.is_owner(user.email): self.abort(401) project.remove_contributors([contributor_email]) response_object = project.json_object() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) class TimeRecords(webapp2.RequestHandler): def get(self, project_id, time_record_id=None): """ List the Time Records associated with a Project. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) if not project_id: self.abort(400) project_key = utilities.key_for_urlsafe_id(project_id) project = project_key.get() if not (project and isinstance(project, model.Project)): self.abort(404) if user.email not in project.users: self.abort(401) if time_record_id: # Give a specific Time Record time_record_key = utilities.key_for_urlsafe_id(time_record_id) if not time_record_key or (project_key != time_record_key.parent()): self.abort(400) time_record = time_record_key.get() if not (time_record or isinstance(time_record, model.TimeRecord)): self.abort(404) response_object = time_record.json_object() else: if self.request.GET.get('cursor'): # Cursor-based request cursor = ndb.Cursor(urlsafe=self.request.GET.get('cursor')) time_records, next_cursor, more = model.TimeRecord.query( ancestor=project_key).order(-model.TimeRecord.created)\ .fetch_page(15, start_cursor=cursor) response_object = [] for time_record in time_records: response_object.append(time_record.json_object()) if more: self.response.headers.add('X-Cursor', next_cursor.urlsafe()) else: # List all Time Records time_records, next_cursor, more = model.TimeRecord.query( ancestor=project_key).order(-model.TimeRecord.created)\ .fetch_page(15) response_object = [] for time_record in time_records: response_object.append(time_record.json_object()) if more: self.response.headers.add('X-Cursor', next_cursor.urlsafe()) # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) def post(self, project_id): """ Create a new Time Record associated with this Project. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) if not project_id: self.abort(400) project_key = utilities.key_for_urlsafe_id(project_id) if not project_key: self.abort(400) project = project_key.get() if not (project and isinstance(project, model.Project)): self.abort(404) if ((user.email not in project.contributors) and not project.is_owner(user.email)): self.abort(401) request_object = {} if self.request.body: request_object = json.loads(self.request.body) completed = request_object.get('completed') new_time_record_key = model.TimeRecord.create_time_record( project_key, user.email, completed=request_object.get('completed'), name=request_object.get('name')) else: new_time_record_key = model.TimeRecord.create_time_record( project_key, user.email) new_time_record = new_time_record_key.get() response_object = new_time_record.json_object() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) def put(self, project_id, time_record_id): """ Update the Time Record. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) if not project_id or not time_record_id or not self.request.body: self.abort(400) request_object = json.loads(self.request.body) project_key = utilities.key_for_urlsafe_id(project_id) time_record_key = utilities.key_for_urlsafe_id(time_record_id) if (not project_key or not time_record_key or (project_key != time_record_key.parent())): self.abort(400) project = project_key.get() time_record = time_record_key.get() if (not (project and isinstance(project, model.Project)) or not (time_record and isinstance(time_record, model.TimeRecord))): self.abort(404) if ((user.email not in project.contributors) and not project.is_owner(user.email)): self.abort(401) # Process optional items... name = request_object.get('name') if name: time_record.name = name project.put() end = request_object.get('end') time_record.put() # Check `end` after updating the Project and Time Record; # avoids a bug whereby the Project's original `completed` time is saved. if end: if end is True: time_record.complete_time_record() response_object = time_record.json_object() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) class Comments(webapp2.RequestHandler): def get(self, project_id, parent_type=None, parent_id=None): response_object = {} user = users.get_current_user() if not user: self.abort(401) if not project_id: self.abort(400) project_key = utilities.key_for_urlsafe_id(project_id) if not project_key: self.abort(400) project = project_key.get() if not (project and isinstance(project, model.Project)): self.abort(404) if parent_id: # Fetch by Parent ID if parent_type == 'milestones': # Milestones milestone = model.Milestone.for_number(project_key, int(parent_id)) if not milestone: self.abort(404) parent_key = milestone.key else: # assume other... parent_key = utilities.key_for_urlsafe_id(parent_id) if not parent_key or (project_key != parent_key.parent()): self.abort(400) parent = parent_key.get() if not parent and not isinstance(parent, model.TimeRecord): self.abort(404) comments = model.Comment.query(ancestor=parent_key) response_object = [] for comment in comments: response_object.append(comment.json_object()) else: # Rely upon Project comments = model.Comment.query(ancestor=project_key) response_object = [] for comment in comments: response_object.append(comment.json_object()) # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) def post(self, project_id, parent_type=None, parent_id=None): """ Create a new Comment in the specified Project, bound to another object (either a Time Record or a Milestone. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) # Get JSON request body if not project_id or not self.request.body: self.abort(400) request_object = json.loads(self.request.body) comment_content = request_object.get('comment') if not comment_content: self.abort(400) project_key = utilities.key_for_urlsafe_id(project_id) if not project_key: self.abort(400) project = project_key.get() if not (project and isinstance(project, model.Project)): self.abort(404) if ((user.email not in project.contributors) and not project.is_owner(user.email)): self.abort(401) if parent_id: # Create with a Object other than the Project as this Comment's parent if parent_type == 'milestones': # Milestones milestone = model.Milestone.for_number(project_key, int(parent_id)) if not milestone: self.abort(404) parent_key = milestone.key else: # assume other... parent_key = utilities.key_for_urlsafe_id(parent_id) if (not parent_key or (project_key != parent_key.parent())): self.abort(400) parent = parent_key.get() if not (parent and isinstance(parent, model.TimeRecord)): self.abort(404) # Create with `Project` and `Parent` new_comment_key = model.Comment.create_comment( comment_content, parent_key, project_key, user.email) comment = new_comment_key.get() response_object = comment.json_object() else: # Create with `Project` as parent new_comment_key = model.Comment.create_comment( comment_content, project_key, project_key, user.email) comment = new_comment_key.get() response_object = comment.json_object() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) def put(self, project_id, comment_id): """ Update a Comment. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) # Get JSON request body if not project_id or not comment_id or not self.request.body: self.abort(400) project_key = utilities.key_for_urlsafe_id(project_id) comment_key = utilities.key_for_urlsafe_id(comment_id) request_object = json.loads(self.request.body) comment_content = request_object.get('comment') if (not project_key or not comment_key or not comment_content or (project_key not in comment_key.parent())): # TODO: Test this! self.abort(400) project = project_key.get() comment = comment_key.get() if (not (project and isinstance(project, model.Project)) or not (comment and isinstance(comment, model.Comment))): self.abort(404) if ((user.email not in project.contributors) and not project.is_owner(user.email)): self.abort(401) # if comment.project != project_key: # Replaced by check above # self.abort(409) comment.comment = comment_content comment.put() response_object = comment.json_object() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) def delete(self, project_id, comment_id): """ Delete a Comment. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) if not project_id or not comment_id: self.abort(400) project_key = utilities.key_for_urlsafe_id(project_id) comment_key = utilities.key_for_urlsafe_id(comment_id) if (not project_key or not comment_key or (project_key not in comment_key.parent())): # TODO: Test this! self.abort(400) project = project_key.get() comment = comment_key.get() if (not (project and isinstance(project, model.Project)) or not (comment and isinstance(comment, model.Comment))): self.abort(404) comment_key.delete() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) class Milestones(webapp2.RequestHandler): def get(self, project_id, milestone_id=None): """ List the Milestones associated with a Project. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) if not project_id: self.abort(400) project_key = utilities.key_for_urlsafe_id(project_id) if not project_key: self.abort(400) project = project_key.get() if not (project and isinstance(project, model.Project)): self.abort(404) if user.email not in project.users: self.abort(401) if milestone_id: # Give a specific Milestone milestone = model.Milestone.for_number(project_key, int(milestone_id)) if not milestone: self.abort(404) response_object = milestone.json_object() else: # Check if we're filtering... label_ids = self.request.GET.getall('label') open_str = self.request.GET.get('open') filters = [] if len(label_ids) > 0 or open_str is not None: # Use filters open_bool = utilities.str_to_bool(open_str, allow_none=True) if open_bool is True or open_bool is False: filters.append(model.Milestone.open == open_bool) for label_id in label_ids: filters.append(model.Milestone.labels == ndb.Key( model.Label, int(label_id), parent=project_key)) query = model.Milestone.query( ndb.AND(*filters), ancestor=project_key).order( -model.Milestone.created) else: # No filters query = model.Milestone.query( ancestor=project_key).order(-model.Milestone.created) if self.request.GET.get('cursor'): # Cursor-based request cursor = ndb.Cursor(urlsafe=self.request.GET.get('cursor')) milestones, next_cursor, more = query.fetch_page( 15, start_cursor=cursor) response_object = [] for milestone in milestones: response_object.append(milestone.json_object()) if more: self.response.headers.add('X-Cursor', next_cursor.urlsafe()) else: # List all Milestones milestones, next_cursor, more = query.fetch_page(15) response_object = [] for milestone in milestones: response_object.append(milestone.json_object()) if more: self.response.headers.add('X-Cursor', next_cursor.urlsafe()) # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) def post(self, project_id): """ Create a new Milestone associated with this Project. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) # Get JSON request body if not project_id or not self.request.body: self.abort(400) request_object = json.loads(self.request.body) project_key = utilities.key_for_urlsafe_id(project_id) name = request_object.get('name') if not project_key or not name: self.abort(400) project = project_key.get() if not (project and isinstance(project, model.Project)): self.abort(404) if ((user.email not in project.contributors) and not project.is_owner(user.email)): self.abort(401) new_milestone_key = model.Milestone.create_milestone( name, project_key, user.email) new_milestone = new_milestone_key.get() if len(request_object) > 1: # Process optional items... description = request_object.get('description') if description: new_milestone.description = description labels = request_object.get('labels') if isinstance(labels, list): for label_key_id in labels: label_key = ndb.Key(urlsafe=label_key_id) new_milestone.labels.append(label_key) new_milestone.put() response_object = new_milestone.json_object() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) def put(self, project_id, milestone_id): """ Update a Milestone. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) if not project_id or not milestone_id or not self.request.body: self.abort(400)<|fim▁hole|> if not project_key: self.abort(400) project = project_key.get() if (not (project and isinstance(project, model.Project)) or not milestone): self.abort(404) if ((user.email not in project.contributors) and not project.is_owner(user.email)): self.abort(401) # Process optional items... if len(request_object) > 0: name = request_object.get('name') if name: milestone.name = name description = request_object.get('description') if description: milestone.description = description open = request_object.get('open') if open is not None: milestone.open = bool(open) # labels = request_object.get('labels') # if isinstance(labels, list): # for label_key_id in labels: # label_key = ndb.Key(urlsafe=label_key_id) # new_milestone.labels.append(label_key) milestone.put() response_object = milestone.json_object() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) @ndb.transactional(xg=True) def delete(self, project_id, milestone_id): """ Delete a Milestone. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) if not project_id or not milestone_id: self.abort(400) project_key = utilities.key_for_urlsafe_id(project_id) if not project_key: self.abort(400) project = project_key.get() milestone = model.Milestone.for_number(project_key, int(milestone_id)) if (not (project and isinstance(project, model.Project)) or not milestone): self.abort(404) if ((user.email not in project.contributors) and not project.is_owner(user.email)): self.abort(401) # Get all Comments associated with this Milestone comments = model.Comment.query(ancestor=milestone_key) for comment in comments: comment.key.delete() milestone_key.delete() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) class Labels(webapp2.RequestHandler): def get(self, project_id, milestone_id=None): """ List the Labels associated with this Project. """ response_array = [] user = users.get_current_user() if not user: self.abort(401) # Try getting the associated Project project_key = utilities.key_for_urlsafe_id(project_id) if not project_key: self.abort(400) project = project_key.get() if not project or not isinstance(project, model.Project): self.abort(404) if user.email not in project.users: self.abort(401) if milestone_id: # Return all Labels assigned to this Milestone milestone = model.Milestone.for_number(project_key, int(milestone_id)) if not milestone: self.abort(404) label_keys = milestone.labels for label_key in label_keys: label = label_key.get() if label: response_array.append(label.json_object()) else: # Query for Projects this User owns, contributes to, or may observe labels = model.Label.query(ancestor=project.key) for label in labels: response_array.append(label.json_object()) # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_array)) def post(self, project_id, milestone_id=None): """ creates a Label associated with this Project. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) # Try getting the associated Project project_key = utilities.key_for_urlsafe_id(project_id) project = project_key.get() if not project or not self.request.body: self.abort(400) request_object = json.loads(self.request.body) label_id = request_object.get('label_id') if milestone_id and label_id: # Add an existing Label to a Milestone label_key = utilities.key_for_urlsafe_id(label_id) if not label_key: self.abort(400) milestone = model.Milestone.for_number(project_key, int(milestone_id)) label = label_key.get() if not milestone or not (label and isinstance(label, model.Label)): self.abort(404) milestone.labels.append(label_key) milestone.put() response_object = label.json_object() else: # Create a new Label name = request_object.get('name') color = request_object.get('color') if not name or not color: self.abort(400) color_pattern = r'^#([A-Fa-f0-9]{6}|[A-Fa-f0-9]{3})$' if not re.match(color_pattern, color): self.abort(400) if ((user.email not in project.contributors) and not project.is_owner(user.email)): self.abort(401) new_label = model.Label.create_label(name, color, project.key) new_label = new_label.get() response_object = new_label.json_object() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) def put(self, project_id, label_id): """ Update a Label associated with this Project. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) if not project_id or not label_id or not self.request.body: self.abort(400) project_key = utilities.key_for_urlsafe_id(project_id) label_key = utilities.key_for_urlsafe_id(label_id) request_object = json.loads(self.request.body) if (not project_key or not label_key or (project_key != label_key.parent())): self.abort(400) project = project_key.get() label = label_key.get() if (not (project and isinstance(project, model.Project)) or not (label and isinstance(label, model.Label))): self.abort(404) if ((user.email not in project.contributors) and not project.is_owner(user.email)): self.abort(401) # Process optional items... if len(request_object) > 0: name = request_object.get('name') if name: label.name = name color = request_object.get('color') if color: label.color = color label.put() response_object = label.json_object() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) def delete(self, project_id, label_id, milestone_id=None,): """ Deletes a Label associated with this Project. """ response_object = {} user = users.get_current_user() if not user: self.abort(401) # Try getting the associated Label... if not project_id or not label_id: self.abort(400) project_key = utilities.key_for_urlsafe_id(project_id) label_key = utilities.key_for_urlsafe_id(label_id) if (not project_key or not label_key or (project_key != label_key.parent())): self.abort(400) project = project_key.get() label = label_key.get() if (not (project and isinstance(project, model.Project)) or not (label and isinstance(label, model.Label)) or (project.key != label.key.parent())): self.abort(404) if ((user.email not in project.contributors) and not project.is_owner(user.email)): self.abort(401) if milestone_id: # Delete a label only from a Milestone's `labels` array milestone = model.Milestone.for_number(project_key, int(milestone_id)) if not milestone or (project.key != label.key.parent()): self.abort(404) if label_key in milestone.labels: milestone.labels.remove(label_key) milestone.put() else: # Delete an entire label label.delete_label() # Send response self.response.content_type = 'application/json' self.response.out.write(json.dumps(response_object)) app = webapp2.WSGIApplication([ webapp2.Route( '/api/v2/projects', handler=Projects, methods=['GET', 'POST'] ), webapp2.Route( '/api/v2/projects/<project_id:([a-zA-Z0-9-_]+)>', handler=Projects, methods=['GET', 'PUT', 'DELETE'] ), webapp2.Route( '/api/v2/projects/<project_id:([a-zA-Z0-9-_]+)>/contributors/<contributor_email>', handler=Contributors, methods=['POST', 'DELETE'] ), webapp2.Route( '/api/v2/projects/<project_id:([a-zA-Z0-9-_]+)>/time-records', handler=TimeRecords, methods=['GET', 'POST'] ), webapp2.Route( '/api/v2/projects/<project_id:([a-zA-Z0-9-_]+)>/time-records/<time_record_id:([a-zA-Z0-9-_]+)>', handler=TimeRecords, methods=['GET', 'PUT', 'DELETE'] ), webapp2.Route( '/api/v2/projects/<project_id:([a-zA-Z0-9-_]+)>/<parent_type:(time-records|milestones)>/<parent_id:([a-zA-Z0-9-_]+)>/comments', handler=Comments, methods=['GET', 'POST'] ), webapp2.Route( '/api/v2/projects/<project_id:([a-zA-Z0-9-_]+)>/comments', handler=Comments, methods=['GET', 'POST'] ), webapp2.Route( '/api/v2/projects/<project_id:([a-zA-Z0-9-_]+)>/comments/<comment_id:([a-zA-Z0-9-_]+)>', handler=Comments, methods=['PUT', 'DELETE'] ), webapp2.Route( '/api/v2/projects/<project_id:([a-zA-Z0-9-_]+)>/milestones', handler=Milestones, methods=['GET', 'POST'] ), webapp2.Route( '/api/v2/projects/<project_id:([a-zA-Z0-9-_]+)>/milestones/<milestone_id:([a-zA-Z0-9-_]+)>', handler=Milestones, methods=['GET', 'PUT', 'DELETE'] ), webapp2.Route( '/api/v2/projects/<project_id:([a-zA-Z0-9-_]+)>/labels', handler=Labels, methods=['GET', 'POST'] ), webapp2.Route( '/api/v2/projects/<project_id:([a-zA-Z0-9-_]+)>/labels/<label_id:([a-zA-Z0-9-_]+)>', handler=Labels, methods=['PUT', 'DELETE'] ), webapp2.Route( '/api/v2/projects/<project_id:([a-zA-Z0-9-_]+)>/milestones/<milestone_id:([a-zA-Z0-9-_]+)>/labels', handler=Labels, methods=['GET', 'POST'] ), webapp2.Route( '/api/v2/projects/<project_id:([a-zA-Z0-9-_]+)>/milestones/<milestone_id:([a-zA-Z0-9-_]+)>/labels/<label_id:([a-zA-Z0-9-_]+)>', handler=Labels, methods=['DELETE'] ) ]) def error_handler_unauthorized(request, response, exception): """ HTTP/1.1 401 Unauthorized """ logging.exception(exception) response.content_type = 'application/json' response.set_status(401) response.write(json.dumps({ 'status': 401, 'message': 'HTTP/1.1 401 Unauthorized' })) def error_handler_server_error(request, response, exception): """ HTTP/1.1 500 Internal Server Error """ logging.exception(exception) response.content_type = 'application/json' response.set_status(500) response.write(json.dumps({ 'status': 500, 'message': 'HTTP/1.1 500 Internal Server Error' })) app.error_handlers[401] = error_handler_unauthorized app.error_handlers[500] = error_handler_server_error<|fim▁end|>
project_key = utilities.key_for_urlsafe_id(project_id) request_object = json.loads(self.request.body) milestone = model.Milestone.for_number(project_key, int(milestone_id))
<|file_name|>__openerp__.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*- ############################################################################## # # Copyright (C) 2012+ BREMSKERL-REIBBELAGWERKE EMMERLING GmbH & Co. KG # Author Marco Dieckhoff # Copyright (C) 2013 Agile Business Group sagl (<http://www.agilebg.com>) # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU Affero General Public License as # published by the Free Software Foundation, either version 3 of the # License, or (at your option) any later version. #<|fim▁hole|># MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU Affero General Public License for more details. # # You should have received a copy of the GNU Affero General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. # ############################################################################## { "name": "Stock Move Backdating", "version": "1.0", 'author': ['Marco Dieckhoff, BREMSKERL', 'Agile Business Group'], "category": "Stock Logistics", 'website': 'www.bremskerl.com', "depends": ["stock"], "summary": "Allows back-dating of stock moves", "description": """This module allows to register old stock moves (with date != now). On stock moves, user can specify the "Actual Movement Date", that will be used as movement date""", 'data': [ "view/stock_view.xml", "wizard/stock_partial_picking_view.xml", ], 'demo': [], 'installable': False, }<|fim▁end|>
# This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of
<|file_name|>app.js<|end_file_name|><|fim▁begin|>(function () { 'use strict'; angular.module('UserSearch') .controller('UserSearchController', ['searchService', UserSearchController]); function UserSearchController(searchService) { var self = this; self.user = {}; self.searchFilter = ''; self.showSpinner = true; init(); function init() {<|fim▁hole|> self.userData = response; self.getUserDetails(0); self.showSpinner = false; } else { self.error = "Oops. Looks like we hit a snag, try reloading."; self.showSpinner = false; } }); } self.getUserDetails = function (index) { if (self.userData[index]) { self.user = self.userData[index]; } }; } })();<|fim▁end|>
return searchService.getAllUserData().then(function (response) { if (response.data !== null) {
<|file_name|>commands.py<|end_file_name|><|fim▁begin|>"""Execute shell commands via os.popen() and return status, output.<|fim▁hole|> import commands outtext = commands.getoutput(cmd) (exitstatus, outtext) = commands.getstatusoutput(cmd) outtext = commands.getstatus(file) # returns output of "ls -ld file" A trailing newline is removed from the output string. Encapsulates the basic operation: pipe = os.popen('{ ' + cmd + '; } 2>&1', 'r') text = pipe.read() sts = pipe.close() [Note: it would be nice to add functions to interpret the exit status.] """ __all__ = ["getstatusoutput","getoutput","getstatus"] # Module 'commands' # # Various tools for executing commands and looking at their output and status. # # NB This only works (and is only relevant) for UNIX. # Get 'ls -l' status for an object into a string # def getstatus(file): """Return output of "ls -ld <file>" in a string.""" import warnings warnings.warn("commands.getstatus() is deprecated", DeprecationWarning) return getoutput('ls -ld' + mkarg(file)) # Get the output from a shell command into a string. # The exit status is ignored; a trailing newline is stripped. # Assume the command will work with '{ ... ; } 2>&1' around it.. # def getoutput(cmd): """Return output (stdout or stderr) of executing cmd in a shell.""" return getstatusoutput(cmd)[1] # Ditto but preserving the exit status. # Returns a pair (sts, output) # def getstatusoutput(cmd): """Return (status, output) of executing cmd in a shell.""" import os pipe = os.popen('{ ' + cmd + '; } 2>&1', 'r') text = pipe.read() sts = pipe.close() if sts is None: sts = 0 if text[-1:] == '\n': text = text[:-1] return sts, text # Make command argument from directory and pathname (prefix space, add quotes). # def mk2arg(head, x): from warnings import warnpy3k warnpy3k("In 3.x, mk2arg has been removed.") import os return mkarg(os.path.join(head, x)) # Make a shell command argument from a string. # Return a string beginning with a space followed by a shell-quoted # version of the argument. # Two strategies: enclose in single quotes if it contains none; # otherwise, enclose in double quotes and prefix quotable characters # with backslash. # def mkarg(x): from warnings import warnpy3k warnpy3k("in 3.x, mkarg has been removed.") if '\'' not in x: return ' \'' + x + '\'' s = ' "' for c in x: if c in '\\$"`': s = s + '\\' s = s + c s = s + '"' return s<|fim▁end|>
Interface summary:
<|file_name|>li2_.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*- # # Copyright (C) 2016 Taifxx # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by # the Free Software Foundation, either version 3 of the License, or<|fim▁hole|># This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU General Public License for more details. # # You should have received a copy of the GNU General Public License # along with this program. If not, see <http://www.gnu.org/licenses/>. # ########## LI2 (JSP): ### Import modules ... from base import * DETVIDEXT = False ### Items ... currentItemPos = lambda : inte(xbmc.getInfoLabel('Container.CurrentItem')) itemsCount = lambda : inte(xbmc.getInfoLabel('Container.NumItems')) ### Container info ... getCpath = lambda : xbmc.getInfoLabel('Container.FolderPath') getCname = lambda : xbmc.getInfoLabel('Container.FolderName') getCplug = lambda : xbmc.getInfoLabel('Container.PluginName') ### Listitem info ... getLi = lambda infolabel, idx=currentItemPos() : xbmc.getInfoLabel('ListitemNoWrap(%s).%s' % (str(idx-currentItemPos()), infolabel)) getIcn = lambda idx=currentItemPos() : getLi('Icon', idx) getTbn = lambda idx=currentItemPos() : getLi('Thumb', idx) getLink = lambda idx=currentItemPos() : getLi('FileNameAndPath', idx) getPath = lambda idx=currentItemPos() : getLi('Path', idx) getFname = lambda idx=currentItemPos() : getLi('FileName', idx) getFolpath = lambda idx=currentItemPos() : getLi('FolderPath', idx) getTitle = lambda idx=currentItemPos() : getLi('Label', idx) getTitleF = lambda idx=currentItemPos() : getLi('Label', idx) # def getTitleF (idx=currentItemPos()): # tmpTitle = getTitle(idx) # tmpFname = getFname(idx) # return tmpFname if tmpFname else tmpTitle def isFolder (idx=currentItemPos()): if DETVIDEXT and isVidExt(getTitle(idx)) : return False return True if getLi('Property(IsPlayable)',idx) in ('false', Empty) and not getFname(idx) else False def isVidExt(name): for itm in TAG_PAR_VIDEOSEXT: if name.endswith(itm) : return True return False ### JSP functions ... _listdircmd = '{"jsonrpc": "2.0", "method": "Files.GetDirectory", "params": {"properties": ["file", "title"], "directory":"%s", "media":"files"}, "id": "1"}' def getJsp(dirPath, srcName): _itmList = eval(xbmc.executeJSONRPC(_listdircmd % (dirPath)))['result']['files'] _jsp = struct() _jsp.link = dirPath _jsp.name = srcName _jsp.itmList = _itmList _jsp.count = len(_itmList) return _jsp jsp_getLabel = lambda jsp, idx=0 : jsp.itmList[idx]['label'] jsp_getLink = lambda jsp, idx=0 : jsp.itmList[idx]['file'] def jsp_isFolder(jsp, idx): if jsp.itmList[idx]['filetype'] != 'folder' : return False return True ### Listitems Object ... class vidItems: def __init__(self, dirPath=Empty, srcName=Empty): if not dirPath : self.norm_init() else : self.jsp_init (dirPath, srcName) def jsp_init(self, dirPath, srcName): jsp = getJsp(dirPath, srcName) #import resources.lib.gui as GUI #GUI.dlgOk(str( jsp.count )) ## Current jsp data ... self.vidFolderNameDef = Empty self.vidCPath = jsp.link self.vidCName = jsp.name self.vidIsEmpty = True self.vidFolCount = jsp.count ## Local items list... self.vidListItems = [] self.vidListItemsRaw = [] ## Create items list ... for idx in range(0, self.vidFolCount): self.vidListItemsRaw.append([jsp_getLabel(jsp, idx), jsp_getLink(jsp, idx)]) if jsp_isFolder(jsp, idx) : continue self.vidListItems.append([jsp_getLabel(jsp, idx), jsp_getLink(jsp, idx)]) if self.vidListItems : self.vidIsEmpty = False ## Set as default first nofolder item ... self.vidFolderNameDef = self.vidListItems[0][0] def norm_init(self): ## Current listitem data ... self.vidFolderNameDef = Empty self.vidCurr = getTitleF() self.vidPath = getPath() self.vidIsFolder = isFolder() self.vidFPath = getFolpath() self.vidLink = getLink() self.vidCPath = getCpath() self.vidCName = getCname() self.vidCPlug = getCplug() self.vidIsEmpty = True self.vidFolCount = itemsCount() ## Local items list... self.vidListItems = [] self.vidListItemsRaw = [] ## If current item is not a folder, set it as default ... if not self.vidIsFolder : self.vidFolderNameDef = self.vidCurr ## Create items list ... for idx in range(1, self.vidFolCount+1): self.vidListItemsRaw.append([getTitleF(idx), getLink(idx)]) if isFolder(idx) : continue self.vidListItems.append([getTitleF(idx), getLink(idx)]) if self.vidListItems : self.vidIsEmpty = False ## Set as default first nofolder item, if current item is a folder ... if self.vidFolderNameDef == Empty : self.vidFolderNameDef = self.vidListItems[0][0] def setmanually(self, manlist): self.vidListItems = [itm for idx, itm in enumerate(self.vidListItemsRaw) if idx in manlist] def reverse(self): self.vidListItems.reverse() self.vidListItemsRaw.reverse() def getOnlyNexts(self): nexts = False retList = [] for itm in self.vidListItems: if itm[0] == self.vidCurr : nexts = True; continue if not nexts : continue retList.append(itm[1]) return retList<|fim▁end|>
# (at your option) any later version. #
<|file_name|>example.js<|end_file_name|><|fim▁begin|><|fim▁hole|> * Author: Brendan Le Foll <[email protected]> * Copyright (c) 2014 Intel Corporation. * * Permission is hereby granted, free of charge, to any person obtaining * a copy of this software and associated documentation files (the * "Software"), to deal in the Software without restriction, including * without limitation the rights to use, copy, modify, merge, publish, * distribute, sublicense, and/or sell copies of the Software, and to * permit persons to whom the Software is furnished to do so, subject to * the following conditions: * * The above copyright notice and this permission notice shall be * included in all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, * EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF * MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND * NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE * LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION * OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION * WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ var m = require("mraa") console.log("mraa version: " + m.getVersion()); var x = new m.Gpio(8) x.dir(m.DIR_OUT) x.write(1)<|fim▁end|>
/*
<|file_name|>UIGraphicsRotatorButton.cpp<|end_file_name|><|fim▁begin|>/* $Id: UIGraphicsRotatorButton.cpp $ */ /** @file * VBox Qt GUI - UIGraphicsRotatorButton class definition. */ /* * Copyright (C) 2012 Oracle Corporation * * This file is part of VirtualBox Open Source Edition (OSE), as * available from http://www.virtualbox.org. This file is free software; * you can redistribute it and/or modify it under the terms of the GNU * General Public License (GPL) as published by the Free Software * Foundation, in version 2 as it comes in the "COPYING" file of the * VirtualBox OSE distribution. VirtualBox OSE is distributed in the * hope that it will be useful, but WITHOUT ANY WARRANTY of any kind. */ #ifdef VBOX_WITH_PRECOMPILED_HEADERS # include <precomp.h> #else /* !VBOX_WITH_PRECOMPILED_HEADERS */ /* Qt includes: */ # include <QStateMachine> # include <QPropertyAnimation> # include <QSignalTransition> /* GUI includes: */ # include "UIGraphicsRotatorButton.h" # include "UIIconPool.h" #endif /* !VBOX_WITH_PRECOMPILED_HEADERS */ #include <QMouseEventTransition> UIGraphicsRotatorButton::UIGraphicsRotatorButton(QIGraphicsWidget *pParent, const QString &strPropertyName, bool fToggled, bool fReflected /* = false */, int iAnimationDuration /* = 300 */) : UIGraphicsButton(pParent, UIIconPool::iconSet(":/expanding_collapsing_16px.png")) , m_fReflected(fReflected) , m_state(fToggled ? UIGraphicsRotatorButtonState_Rotated : UIGraphicsRotatorButtonState_Default) , m_pAnimationMachine(0) , m_iAnimationDuration(iAnimationDuration) , m_pForwardButtonAnimation(0) , m_pBackwardButtonAnimation(0) , m_pForwardSubordinateAnimation(0) , m_pBackwardSubordinateAnimation(0) { /* Configure: */ setAutoHandleButtonClick(true); /* Create state machine: */ m_pAnimationMachine = new QStateMachine(this); /* Create 'default' state: */ QState *pStateDefault = new QState(m_pAnimationMachine); pStateDefault->assignProperty(this, "state", QVariant::fromValue(UIGraphicsRotatorButtonState_Default)); pStateDefault->assignProperty(this, "rotation", m_fReflected ? 180 : 0); /* Create 'animating' state: */ QState *pStateAnimating = new QState(m_pAnimationMachine); pStateAnimating->assignProperty(this, "state", QVariant::fromValue(UIGraphicsRotatorButtonState_Animating)); /* Create 'rotated' state: */ QState *pStateRotated = new QState(m_pAnimationMachine); pStateRotated->assignProperty(this, "state", QVariant::fromValue(UIGraphicsRotatorButtonState_Rotated)); pStateRotated->assignProperty(this, "rotation", 90); /* Forward button animation: */ m_pForwardButtonAnimation = new QPropertyAnimation(this, "rotation", this);<|fim▁hole|> m_pForwardButtonAnimation->setStartValue(m_fReflected ? 180 : 0); m_pForwardButtonAnimation->setEndValue(90); /* Backward button animation: */ m_pBackwardButtonAnimation = new QPropertyAnimation(this, "rotation", this); m_pBackwardButtonAnimation->setDuration(m_iAnimationDuration); m_pBackwardButtonAnimation->setStartValue(90); m_pBackwardButtonAnimation->setEndValue(m_fReflected ? 180 : 0); /* Forward subordinate animation: */ m_pForwardSubordinateAnimation = new QPropertyAnimation(pParent, strPropertyName.toLatin1(), this); m_pForwardSubordinateAnimation->setDuration(m_iAnimationDuration); m_pForwardSubordinateAnimation->setEasingCurve(QEasingCurve::InCubic); /* Backward subordinate animation: */ m_pBackwardSubordinateAnimation = new QPropertyAnimation(pParent, strPropertyName.toLatin1(), this); m_pBackwardSubordinateAnimation->setDuration(m_iAnimationDuration); m_pBackwardSubordinateAnimation->setEasingCurve(QEasingCurve::InCubic); /* Default => Animating: */ QSignalTransition *pDefaultToAnimating = pStateDefault->addTransition(this, SIGNAL(sigToAnimating()), pStateAnimating); pDefaultToAnimating->addAnimation(m_pForwardButtonAnimation); pDefaultToAnimating->addAnimation(m_pForwardSubordinateAnimation); /* Animating => Rotated: */ connect(m_pForwardButtonAnimation, SIGNAL(finished()), this, SIGNAL(sigToRotated()), Qt::QueuedConnection); pStateAnimating->addTransition(this, SIGNAL(sigToRotated()), pStateRotated); /* Rotated => Animating: */ QSignalTransition *pRotatedToAnimating = pStateRotated->addTransition(this, SIGNAL(sigToAnimating()), pStateAnimating); pRotatedToAnimating->addAnimation(m_pBackwardButtonAnimation); pRotatedToAnimating->addAnimation(m_pBackwardSubordinateAnimation); /* Animating => Default: */ connect(m_pBackwardButtonAnimation, SIGNAL(finished()), this, SIGNAL(sigToDefault()), Qt::QueuedConnection); pStateAnimating->addTransition(this, SIGNAL(sigToDefault()), pStateDefault); /* Default => Rotated: */ pStateDefault->addTransition(this, SIGNAL(sigToRotated()), pStateRotated); /* Rotated => Default: */ pStateRotated->addTransition(this, SIGNAL(sigToDefault()), pStateDefault); /* Initial state is 'default': */ m_pAnimationMachine->setInitialState(!fToggled ? pStateDefault : pStateRotated); /* Start state-machine: */ m_pAnimationMachine->start(); /* Refresh: */ refresh(); } void UIGraphicsRotatorButton::setAutoHandleButtonClick(bool fEnabled) { /* Disconnect button-click signal: */ disconnect(this, SIGNAL(sigButtonClicked()), this, SLOT(sltButtonClicked())); if (fEnabled) { /* Connect button-click signal: */ connect(this, SIGNAL(sigButtonClicked()), this, SLOT(sltButtonClicked())); } } void UIGraphicsRotatorButton::setToggled(bool fToggled, bool fAnimated /* = true */) { /* Not during animation: */ if (isAnimationRunning()) return; /* Make sure something has changed: */ switch (state()) { case UIGraphicsRotatorButtonState_Default: { if (!fToggled) return; break; } case UIGraphicsRotatorButtonState_Rotated: { if (fToggled) return; break; } default: break; } /* Should be animated? */ if (fAnimated) { /* Rotation start: */ emit sigRotationStart(); emit sigToAnimating(); } else { if (fToggled) emit sigToRotated(); else emit sigToDefault(); } } void UIGraphicsRotatorButton::setAnimationRange(int iStart, int iEnd) { m_pForwardSubordinateAnimation->setStartValue(iStart); m_pForwardSubordinateAnimation->setEndValue(iEnd); m_pBackwardSubordinateAnimation->setStartValue(iEnd); m_pBackwardSubordinateAnimation->setEndValue(iStart); } bool UIGraphicsRotatorButton::isAnimationRunning() const { return m_pForwardSubordinateAnimation->state() == QAbstractAnimation::Running || m_pBackwardSubordinateAnimation->state() == QAbstractAnimation::Running; } void UIGraphicsRotatorButton::sltButtonClicked() { /* Toggle state: */ switch (state()) { case UIGraphicsRotatorButtonState_Default: setToggled(true); break; case UIGraphicsRotatorButtonState_Rotated: setToggled(false); break; default: break; } } void UIGraphicsRotatorButton::refresh() { /* Update rotation center: */ QSizeF sh = minimumSizeHint(); setTransformOriginPoint(sh.width() / 2, sh.height() / 2); /* Update rotation state: */ updateRotationState(); /* Call to base-class: */ UIGraphicsButton::refresh(); } void UIGraphicsRotatorButton::updateRotationState() { switch (state()) { case UIGraphicsRotatorButtonState_Default: setRotation(m_fReflected ? 180 : 0); break; case UIGraphicsRotatorButtonState_Rotated: setRotation(90); break; default: break; } } UIGraphicsRotatorButtonState UIGraphicsRotatorButton::state() const { return m_state; } void UIGraphicsRotatorButton::setState(UIGraphicsRotatorButtonState state) { m_state = state; switch (m_state) { case UIGraphicsRotatorButtonState_Default: { emit sigRotationFinish(false); break; } case UIGraphicsRotatorButtonState_Rotated: { emit sigRotationFinish(true); break; } default: break; } }<|fim▁end|>
m_pForwardButtonAnimation->setDuration(m_iAnimationDuration);
<|file_name|>video-creator.py<|end_file_name|><|fim▁begin|>#! /usr/bin/env python import sys, cv, cv2, os import numpy as np import subprocess, signal import math import atexit import cPickle as pickle from sklearn.cluster import DBSCAN from sklearn import metrics, preprocessing import pymeanshift as pms from optparse import OptionParser import time parser = OptionParser() parser.add_option("-i", "--input", dest="input_dir", help="directory with frames") parser.add_option("-s", "--start", dest="start_frame", default="0", help="frame to start on") parser.add_option("-r", "--framerate", dest="framerate", default="30", help="playback rate") parser.add_option("-c", "--crop-husky", dest="crop", action="store_true", default=False, help="crop out the image header from the Husky?") parser.add_option("--save", dest="save", action="store", default=None, help="directory to save the rendered frames to") (options, args) = parser.parse_args() <|fim▁hole|> framerate = int(options.framerate) frame = int(options.start_frame) while True: framefile = "%s%sframe%04d.jpg" % (options.input_dir, os.sep, frame) print framefile if not os.path.isfile(framefile): print "done" break img = cv2.imread(framefile) if options.crop: img = img[20:, :] if video == None: vidfile = "%s%svideo.avi" % (options.save, os.sep) height, width, layers = img.shape video = cv2.VideoWriter(vidfile, cv2.cv.CV_FOURCC('M','J','P','G'), framerate, (width, height), True) video.write(img) frame += 1 cv2.destroyAllWindows()<|fim▁end|>
video = None
<|file_name|>backup_only.py<|end_file_name|><|fim▁begin|>#!/usr/bin/env python # Copyright 2017 The Vitess Authors. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. import json import logging import os import unittest import datetime import MySQLdb import environment import tablet import vtbackup import utils from mysql_flavor import mysql_flavor use_mysqlctld = False use_xtrabackup = False stream_mode = 'tar' tablet_master = None tablet_replica1 = None tablet_replica2 = None backup_tablet = None xtrabackup_args = [] new_init_db = '' db_credentials_file = '' def setUpModule(): global xtrabackup_args xtrabackup_args = ['-backup_engine_implementation', 'xtrabackup', '-xtrabackup_stream_mode', stream_mode, '-xtrabackup_user=vt_dba', '-xtrabackup_backup_flags', '--password=VtDbaPass'] global new_init_db, db_credentials_file global tablet_master, tablet_replica1, tablet_replica2, backup_tablet tablet_master = tablet.Tablet(use_mysqlctld=use_mysqlctld, vt_dba_passwd='VtDbaPass') tablet_replica1 = tablet.Tablet(use_mysqlctld=use_mysqlctld, vt_dba_passwd='VtDbaPass') tablet_replica2 = tablet.Tablet(use_mysqlctld=use_mysqlctld, vt_dba_passwd='VtDbaPass') backup_tablet = vtbackup.Vtbackup(vt_dba_passwd='VtDbaPass') try: environment.topo_server().setup() credentials = { 'vt_dba': ['VtDbaPass'], 'vt_app': ['VtAppPass'], 'vt_allprivs': ['VtAllprivsPass'], 'vt_repl': ['VtReplPass'], 'vt_filtered': ['VtFilteredPass'], } db_credentials_file = environment.tmproot+'/db_credentials.json' with open(db_credentials_file, 'w') as fd: fd.write(json.dumps(credentials)) # Determine which column is used for user passwords in this MySQL version. proc = tablet_master.init_mysql() if use_mysqlctld: tablet_master.wait_for_mysqlctl_socket() else: utils.wait_procs([proc]) try: tablet_master.mquery('mysql', 'select password from mysql.user limit 0', user='root') password_col = 'password' except MySQLdb.DatabaseError: password_col = 'authentication_string' utils.wait_procs([tablet_master.teardown_mysql()]) tablet_master.remove_tree(ignore_options=True) # Create a new init_db.sql file that sets up passwords for all users. # Then we use a db-credentials-file with the passwords. new_init_db = environment.tmproot + '/init_db_with_passwords.sql' with open(environment.vttop + '/config/init_db.sql') as fd: init_db = fd.read() with open(new_init_db, 'w') as fd: fd.write(init_db) fd.write(mysql_flavor().change_passwords(password_col)) logging.debug("initilizing mysql %s",str(datetime.datetime.now())) # start mysql instance external to the test setup_procs = [ tablet_master.init_mysql(init_db=new_init_db, extra_args=['-db-credentials-file', db_credentials_file]), tablet_replica1.init_mysql(init_db=new_init_db, extra_args=['-db-credentials-file', db_credentials_file]), tablet_replica2.init_mysql(init_db=new_init_db, extra_args=['-db-credentials-file', db_credentials_file]) ] if use_mysqlctld: tablet_master.wait_for_mysqlctl_socket() tablet_replica1.wait_for_mysqlctl_socket() tablet_replica2.wait_for_mysqlctl_socket() else: utils.wait_procs(setup_procs) logging.debug("done initilizing mysql %s",str(datetime.datetime.now())) except: tearDownModule() raise def tearDownModule(): utils.required_teardown() if utils.options.skip_teardown: return teardown_procs = [ tablet_master.teardown_mysql(extra_args=['-db-credentials-file', db_credentials_file]), tablet_replica1.teardown_mysql(extra_args=['-db-credentials-file', db_credentials_file]), tablet_replica2.teardown_mysql(extra_args=['-db-credentials-file', db_credentials_file]) ] utils.wait_procs(teardown_procs, raise_on_error=False) environment.topo_server().teardown() utils.kill_sub_processes() utils.remove_tmp_files()<|fim▁hole|> backup_tablet.remove_tree() class TestBackup(unittest.TestCase): def setUp(self): for t in tablet_master, tablet_replica1: t.create_db('vt_test_keyspace') def tearDown(self): for t in tablet_master, tablet_replica1, tablet_replica2: t.kill_vttablet() tablet.Tablet.check_vttablet_count() environment.topo_server().wipe() for t in [tablet_master, tablet_replica1, tablet_replica2]: t.reset_replication() t.set_semi_sync_enabled(master=False, slave=False) t.clean_dbs() for backup in self._list_backups(): self._remove_backup(backup) def _init_tablets(self,init=True,start=True): xtra_args = ['-db-credentials-file', db_credentials_file] if use_xtrabackup: xtra_args.extend(xtrabackup_args) tablet_master.init_tablet('replica', 'test_keyspace', '0', start=start, supports_backups=True, extra_args=xtra_args) tablet_replica1.init_tablet('replica', 'test_keyspace', '0', start=start, supports_backups=True, extra_args=xtra_args) if init: utils.run_vtctl(['InitShardMaster', '-force', 'test_keyspace/0', tablet_master.tablet_alias]) _create_vt_insert_test = '''create table vt_insert_test ( id bigint auto_increment, msg varchar(64), primary key (id) ) Engine=InnoDB''' def _insert_data(self, t, index): """Add a single row with value 'index' to the given tablet.""" t.mquery( 'vt_test_keyspace', "insert into vt_insert_test (msg) values ('test %s')" % index, write=True) def _check_data(self, t, count, msg): """Check that the specified tablet has the expected number of rows.""" timeout = 10 while True: try: result = t.mquery( 'vt_test_keyspace', 'select count(*) from vt_insert_test') if result[0][0] == count: break except MySQLdb.DatabaseError: # ignore exceptions, we'll just timeout (the tablet creation # can take some time to replicate, and we get a 'table vt_insert_test # does not exist exception in some rare cases) logging.exception('exception waiting for data to replicate') timeout = utils.wait_step(msg, timeout) def _restore(self, t, tablet_type='replica',wait_for_state='SERVING'): """Erase mysql/tablet dir, then start tablet with restore enabled.""" logging.debug("restoring tablet %s",str(datetime.datetime.now())) self._reset_tablet_dir(t) xtra_args = ['-db-credentials-file', db_credentials_file] if use_xtrabackup: xtra_args.extend(xtrabackup_args) t.start_vttablet(wait_for_state=wait_for_state, init_tablet_type=tablet_type, init_keyspace='test_keyspace', init_shard='0', supports_backups=True, extra_args=xtra_args) logging.debug("done restoring tablet %s",str(datetime.datetime.now())) def _reset_tablet_dir(self, t): """Stop mysql, delete everything including tablet dir, restart mysql.""" extra_args = ['-db-credentials-file', db_credentials_file] utils.wait_procs([t.teardown_mysql(extra_args=extra_args)]) # Specify ignore_options because we want to delete the tree even # if the test's -k / --keep-logs was specified on the command line. t.remove_tree(ignore_options=True) logging.debug("starting mysql %s",str(datetime.datetime.now())) proc = t.init_mysql(init_db=new_init_db, extra_args=extra_args) if use_mysqlctld: t.wait_for_mysqlctl_socket() else: utils.wait_procs([proc]) logging.debug("done starting mysql %s",str(datetime.datetime.now())) def _list_backups(self): """Get a list of backup names for the test shard.""" backups, _ = utils.run_vtctl(tablet.get_backup_storage_flags() + ['ListBackups', 'test_keyspace/0'], mode=utils.VTCTL_VTCTL, trap_output=True) return backups.splitlines() def _remove_backup(self, backup): """Remove a named backup from the test shard.""" utils.run_vtctl( tablet.get_backup_storage_flags() + ['RemoveBackup', 'test_keyspace/0', backup], auto_log=True, mode=utils.VTCTL_VTCTL) def _backup_only(self, t, initial_backup=False): """Erase mysql/tablet dir, then start tablet with restore only.""" logging.debug('starting backup only job') t.remove_tree(ignore_options=True) extra_args = ['-allow_first_backup','-db-credentials-file', db_credentials_file] if use_xtrabackup: extra_args.extend(xtrabackup_args) if initial_backup: extra_args.extend(["-initial_backup"]) logging.debug("starting backup tablet %s",str(datetime.datetime.now())) proc = t.start_vtbackup(init_db=new_init_db, init_keyspace='test_keyspace', init_shard='0', extra_args=extra_args) logging.debug('tablet started waiting for process to end %s',proc) utils.wait_procs([proc],True) logging.debug("backup tablet done %s",str(datetime.datetime.now())) def test_tablet_initial_backup(self): self._test_initial_backup() # Restore the Shard from the inital backup self._init_tablets(init=False,start=False) # Restore the Tablets self._restore(tablet_master, tablet_type='replica',wait_for_state="NOT_SERVING") utils.run_vtctl(['TabletExternallyReparented',tablet_master.tablet_alias]) self._restore(tablet_replica1, tablet_type='replica') # Run the entire backup test self._test_first_backup('replica', True) def _test_initial_backup(self): """Test Initial Backup Flow test_initial_backup will: - Create a shard using vtbackup and --initial-backup - Create the rest of the cluster restoring from backup - Externally Reparenting to a master tablet - Insert Some data - Verify that the cluster is working - Take a Second Backup - Bring up a second replica, and restore from the second backup - list the backups, remove them """ self._backup_only(backup_tablet,initial_backup=True) backups = self._list_backups() logging.debug('list of backups after initial: %s', backups) self.assertEqual(len(backups), 1) def test_tablet_backup_only(self): self._init_tablets() self._test_first_backup('replica', True) def _test_first_backup(self, tablet_type, backup_only): """Test backup flow. test_backup will: - create a shard with master and replica1 only - run InitShardMaster - insert some data - take a backup - insert more data on the master - bring up tablet_replica2 after the fact, let it restore the backup - check all data is right (before+after backup data) - list the backup, remove it Args: tablet_type: 'replica' or 'rdonly'. """ # insert data on master, wait for slave to get it backups_count = len(self._list_backups()) tablet_master.mquery('vt_test_keyspace', self._create_vt_insert_test) self._insert_data(tablet_master, 1) self._check_data(tablet_replica1, 1, 'replica1 tablet getting data') # backup the slave alias = tablet_replica1.tablet_alias logging.debug("taking backup %s",str(datetime.datetime.now())) if not backup_only: utils.run_vtctl(['Backup', tablet_replica1.tablet_alias], auto_log=True) else: self._backup_only(backup_tablet) alias = backup_tablet.tablet_alias logging.debug("done taking backup %s",str(datetime.datetime.now())) # end if # check that the backup shows up in the listing backups = self._list_backups() logging.debug('list of backups: %s', backups) self.assertEqual(len(backups), backups_count+1) # insert more data on the master self._insert_data(tablet_master, 2) # now bring up the other slave, letting it restore from backup. self._restore(tablet_replica2, tablet_type=tablet_type) # check the new slave has the data self._check_data(tablet_replica2, 2, 'replica2 tablet getting data') # check that the restored slave has the right local_metadata result = tablet_replica2.mquery('_vt', 'select * from local_metadata') metadata = {} for row in result: metadata[row[0]] = row[1] self.assertEqual(metadata['Alias'], 'test_nj-0000062346') self.assertEqual(metadata['ClusterAlias'], 'test_keyspace.0') self.assertEqual(metadata['DataCenter'], 'test_nj') if tablet_type == 'replica': self.assertEqual(metadata['PromotionRule'], 'neutral') else: self.assertEqual(metadata['PromotionRule'], 'must_not') for backup in backups: self._remove_backup(backup) backups = self._list_backups() logging.debug('list of backups after remove: %s', backups) self.assertEqual(len(backups), 0) tablet_replica2.kill_vttablet() if __name__ == '__main__': utils.main()<|fim▁end|>
tablet_master.remove_tree() tablet_replica1.remove_tree() tablet_replica2.remove_tree()
<|file_name|>cs.ts<|end_file_name|><|fim▁begin|><?xml version="1.0" encoding="utf-8"?> <!DOCTYPE TS> <TS version="2.0" language="cs_CZ"> <context> <name>AboutDialog</name> <message> <source>About iTALC</source> <translation type="unfinished">O iTALC</translation> </message> <message> <source>About</source> <translation type="unfinished">O programu</translation> </message> <message> <source>&lt;a href=&quot;http://italc.sourceforge.net&quot;&gt;http://italc.sourceforge.net&lt;/a&gt;</source> <translation type="unfinished"></translation> </message> <message> <source>Authors</source> <translation type="unfinished">Autoři</translation> </message> <message> <source>Translation</source> <translation type="unfinished">Překlad</translation> </message> <message> <source>Current language not translated yet (or native English). If you&apos;re interested in translating iTALC into your local or another language or want to improve an existing translation, please contact an iTALC developer!</source> <translation type="unfinished"></translation> </message> <message> <source>License</source> <translation type="unfinished">Licence</translation> </message> <message utf8="true"> <source>iTALC - Intelligent Teaching And Learning with Computers Copyright © 2004-2013 Tobias Doerffel / iTALC Solutions</source> <translation type="unfinished"></translation> </message> </context> <context> <name>AccessDialogSlave</name> <message> <source>Never for this session</source> <translation type="unfinished">Nikdy pro toto sezení</translation> </message> <message> <source>Always for this session</source> <translation type="unfinished">Vždy pro toto sezení</translation> </message> <message> <source>Confirm desktop access</source> <translation type="unfinished"></translation> </message> <message> <source>The user %1 at host %2 wants to access your desktop. Do you want to grant access?</source> <translation type="unfinished"></translation> </message> </context> <context> <name>ClassroomManager</name> <message> <source>Classroom-Manager</source> <translation type="unfinished">Správce třídy</translation> </message> <message> <source>Use this workspace to manage your computers and classrooms in an easy way.</source> <translation type="unfinished">V tomto rozhraní můžete snadno spravovat počítače a třídy.</translation> </message> <message> <source>This is where computers and classrooms are managed. You can add computers or classrooms by clicking right in this list.</source> <translation type="unfinished">Zde se spravují počítače a učebny. Počítače přidáte kliknutím pravého tlačítka myši v seznamu.</translation> </message> <message> <source>Classrooms/computers</source> <translation type="unfinished">Počítače/třídy</translation> </message> <message> <source>IP-address</source> <translation type="unfinished">IP-adresa</translation> </message> <message> <source>Usernames</source> <translation type="unfinished"></translation> </message> <message> <source>Show usernames</source> <translation type="unfinished"></translation> </message> <message> <source>Use the context-menu (right mouse-button) to add/remove computers and/or classrooms.</source> <translation type="unfinished"></translation> </message> <message> <source>Export to text-file</source> <translation type="unfinished">Exportovat do textového souboru</translation> </message> <message> <source>Use this button for exporting this list of computers and usernames into a text-file. You can use this file later for collecting files after an exam has finished. This is sometimes neccessary, because some users might have finished and logged out earlier and so you cannot collect their files at the end of the exam.</source> <translation type="unfinished"></translation> </message> <message> <source>Hide teacher computers</source> <translation type="unfinished">Skrýt učitelské počítače</translation> </message> <message> <source>Show/hide</source> <translation type="unfinished">Zobrazit/skrýt</translation> </message> <message> <source>Edit settings</source> <translation type="unfinished">Upravit nastavení</translation> </message> <message> <source>Remove</source> <translation type="unfinished">Odstranit</translation> </message> <message> <source>Show all computers in classroom</source> <translation type="unfinished">Zobrazit všechny počítače ve třídě</translation> </message> <message> <source>Hide all computers in classroom</source> <translation type="unfinished">Skrýt všechny počítače ve třídě</translation> </message> <message> <source>Edit name</source> <translation type="unfinished">Upravit jméno</translation> </message> <message> <source>Remove classroom</source> <translation type="unfinished">Odstranit třídu</translation> </message> <message> <source>Add computer</source> <translation type="unfinished">Přidat počítač</translation> </message> <message> <source>Add classroom</source> <translation type="unfinished">Přidat třídu</translation> </message> <message> <source>No configuration-file found</source> <translation type="unfinished">Nebyl nalezen žádný konfigurační soubor</translation> </message> <message> <source>Could not open configuration file %1. You will have to add at least one classroom and computers using the classroom-manager which you&apos;ll find inside the program in the sidebar on the left side.</source> <translation type="unfinished">Nemohu otevřít konfigurační soubor %1. Budete muset přidat alespoň jednu učebny a počítače pomocí Správce tříd, kterého naleznete v programu na levém panelu.</translation> </message> <message> <source>Error in configuration-file</source> <translation type="unfinished">Chyba v konfiguračním souboru</translation> </message> <message> <source>Error while parsing configuration-file %1. Please edit it. Otherwise you should delete this file and have to add all classrooms and computers again.</source> <translation type="unfinished">Chyba při analýze konfiguračního souboru %1. Upravte ho prosím ručně. Nebo také můžete tento soubor smazat a přidat všechny třídy a počítače znovu.</translation> </message> <message> <source>Error while parsing configuration-file %1. Please edit it. Otherwise you should delete this file.</source> <translation type="unfinished">Chyba při analýze konfiguračního souboru %1. Upravte ho prosím. Jinak byste tento soubor měli smazat.</translation> </message> <message> <source>Select output-file</source> <translation type="unfinished">Vybrat výstupní soubor</translation> </message> <message> <source>Text files (*.txt)</source> <translation type="unfinished">Textové soubory (*.txt)</translation> </message> <message> <source>Actions for selected</source> <translation type="unfinished"></translation> </message> <message> <source>Actions</source> <translation type="unfinished">Akce</translation> </message> <message> <source>Actions for %1</source> <translation type="unfinished">Akce pro %1</translation> </message> <message> <source>New name for classroom</source> <translation type="unfinished">Nové jméno třídy</translation> </message> <message> <source>Please enter a new name for classroom &quot;%1&quot;.</source> <translation type="unfinished">Zadejte prosím nové jméno pro třídu &quot;%1&quot;.</translation> </message> <message> <source>Are you sure want to remove classroom &quot;%1&quot;? All computers in it will be removed as well!</source> <translation type="unfinished">Opravdu si přejete odstranit třídu &quot;%1&quot;? Všechny počítače ve třídě budou odstraněny též!</translation> </message> <message> <source>Missing classroom</source> <translation type="unfinished">Chybí třída</translation> </message> <message> <source>Before adding computers you have to create at least one classroom. Do you want to create a new classrom now?</source> <translation type="unfinished">Před přidáním počítačů musíte vytvořit alespoň jednu třídu. Přejete si nyní vytvořit novou třídu?</translation> </message> <message> <source>New classroom</source> <translation type="unfinished">Nová třída</translation> </message> <message> <source>Please enter the name of the classroom you want to create.</source> <translation type="unfinished">Zadejte prosím jméno nové třídy, kterou si přejete vytvořit.</translation> </message> </context> <context> <name>Client</name> <message> <source>Unknown state</source> <translation type="unfinished">Neznámý stav</translation> </message> <message> <source>No user logged in</source> <translation type="unfinished">Žádný uživatel není přihlášen</translation> </message> <message> <source>Host unreachable</source> <translation type="unfinished">Počítač není k dispozici</translation> </message> <message> <source>Demo running</source> <translation type="unfinished">Běžící demo</translation> </message> <message> <source>Desktop locked</source> <translation type="unfinished">Desktop zamknut</translation> </message> </context> <context> <name>ClientAction</name> <message> <source>Are you sure want logout all users on all visible computers ?</source> <translation type="unfinished">Opravdu chcete odhlásit uživatele všech zobrazených počítačů?</translation> </message> <message> <source>Are you sure want logout all users on all selected computers ?</source> <translation type="unfinished"></translation> </message> <message> <source>Logout user</source> <translation type="unfinished">Odhlásit uživatele</translation> </message> <message> <source>Are you sure want to reboot all visible computers?</source> <translation type="unfinished">Opravdu si přejete restartovat všechny zobrazené počítače?</translation> </message> <message> <source>Are you sure want to reboot all selected computers?</source> <translation type="unfinished"></translation> </message> <message> <source>Reboot computers</source> <translation type="unfinished">Restartovat počítače</translation> </message> <message> <source>Are you sure want to power down all visible computers?</source> <translation type="unfinished">Opravdu si přejete vypnout všechny zobrazené počítače?</translation> </message> <message> <source>Are you sure want to power down all selected computers?</source> <translation type="unfinished"></translation> </message> </context> <context> <name>ClientSettingsDialog</name> <message> <source>Invalid MAC-address</source> <translation type="unfinished">Neplatná MAC-adresa</translation> </message> <message> <source>You specified an invalid MAC-address. Either leave the field blank or enter a valid MAC-address (use &quot;:&quot; as separator!).</source> <translation type="unfinished">Musíte zadat platnou MAC-adresu. Buď zadejte platnou MAC-adresu (oddělovačem je &quot;:&quot;), nebo nechte políčko prázdné.</translation> </message> <message> <source>Client settings</source> <translation type="unfinished">Nastavení klienta</translation> </message> <message> <source>IP/hostname</source> <translation type="unfinished">IP/jméno</translation> </message> <message> <source>&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;/head&gt;&lt;body style=&quot; white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt;&lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;enter an IP-address or hostname under which iTALC can reach the client (use &apos;:&apos; for specifying an optional port-number)&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</source> <translation type="unfinished">&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;/head&gt;&lt;body style=&quot; white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt;&lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;zadejte IP-adresu nebo jméno počítače, na kterém běží klient iTALC (pro určení volitelného čísla portu použijte &apos;:&apos;)&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</translation> </message> <message> <source>Name</source> <translation type="unfinished">Jméno</translation> </message> <message> <source>&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;/head&gt;&lt;body style=&quot; white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt;&lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Optional nickname of the host which is displayed in iTALC.&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</source> <translation type="unfinished"></translation> </message> <message> <source>MAC address</source> <translation type="unfinished"></translation> </message> <message> <source>&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;/head&gt;&lt;body style=&quot; white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt;&lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Hardware/MAC-address of client - only used for powering on client&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</source> <translation type="unfinished">&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;/head&gt;&lt;body style=&quot; white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt;&lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Hardwarová/MAC-adresa klienta - používá se pouze pro zapínání klientského počítače&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</translation> </message> <message> <source>Classroom</source> <translation type="unfinished">Třída</translation> </message> <message> <source>Type</source> <translation type="unfinished">Typ</translation> </message> <message> <source>Student computer</source> <translation type="unfinished">Studentský počítač</translation> </message> <message> <source>Teacher computer</source> <translation type="unfinished">Učitelský počítač</translation> </message> <message> <source>Other/undefined computer</source> <translation type="unfinished">Jiný/nedefinovaný počítač</translation> </message> <message> <source>Missing IP address/hostname</source> <translation type="unfinished"></translation> </message> <message> <source>You didn&apos;t specify an IP address or hostname for the computer!</source> <translation type="unfinished"></translation> </message> </context> <context> <name>Config</name> <message> <source>Interval between updates</source> <translation type="unfinished">Interval mezi aktualizacemi</translation> </message> <message> <source>&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;/head&gt;&lt;body style=&quot; white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt;&lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Here you can set the interval between updates of clients. Higher values result in lower network-traffic and lower CPU-usage on this computer.&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</source> <translation type="unfinished">&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;/head&gt;&lt;body style=&quot; white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt;&lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Zde se zadává interval mezi jednotlivými aktualizacemi klientů. Vyšší hodnoty snižují provoz na síti i zátěž CPU tohoto počítače.&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</translation> </message> <message> <source> seconds</source> <translation type="unfinished">(sp) sekund</translation> </message> <message> <source>User interface</source> <translation type="unfinished">Uživatelské rozhraní</translation> </message> <message> <source>&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;/head&gt;&lt;body style=&quot; white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt;&lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Do not show balloon-tooltips for toolbar-buttons&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</source> <translation type="unfinished">&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;/head&gt;&lt;body style=&quot; white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt;&lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Nezobrazovat tipy v panelu nástrojů&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</translation> </message> <message> <source>&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;/head&gt;&lt;body style=&quot; white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt;&lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Check this option if you&apos;re annoyed by the balloon-tooltips appearing when moving mouse-cursor over toolbar-buttons.&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</source> <translation type="unfinished">&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;/head&gt;&lt;body style=&quot; white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt;&lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Tuto volbu zaškrněte, pokud se vám nelíbí zobrazování nápovědy v panelu nástrojů při ukázání myší na dané tlačítko.&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</translation> </message> <message> <source>No balloon-tooltips</source> <translation type="unfinished">Bez tipů panelu nástrojů</translation> </message> <message> <source>&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;/head&gt;&lt;body style=&quot; white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt;&lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Do not show texts on toolbar-buttons&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</source> <translation type="unfinished"></translation> </message> <message> <source>No texts on toolbar-buttons</source> <translation type="unfinished"></translation> </message> <message> <source>Your role (needs according keys!)</source> <translation type="unfinished">Vaše role (vyžaduje odpovídající klíče!)</translation> </message> <message> <source>&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;style type=&quot;text/css&quot;&gt; p, li { white-space: pre-wrap; } &lt;/style&gt;&lt;/head&gt;&lt;body style=&quot; font-family:&apos;Sans Serif&apos;; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt; &lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Here you can select your role. Only change this if you know what you&apos;re doing. Otherwise you won&apos;t be able to access any clients until you restore your old role.&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</source> <translation type="unfinished">&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;style type=&quot;text/css&quot;&gt; p, li { white-space: pre-wrap; } &lt;/style&gt;&lt;/head&gt;&lt;body style=&quot; font-family:&apos;Sans Serif&apos;; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt; &lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Zde můžete vybrat vaši roli. Volbu měňte pouze pokud skutečně víte co děláte. Jinak se může stát, že nebudete schopni přistupovat k žádným klientům až dokud neobnovíte svou roli.&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</translation> </message> <message> <source>Teacher</source> <translation type="unfinished">Učitel</translation> </message> <message> <source>Administrator</source> <translation type="unfinished">Administrátor</translation> </message> <message> <source>Supporter</source> <translation type="unfinished">Podpora</translation> </message> <message> <source>Other</source> <translation type="unfinished">Jiná</translation> </message> <message> <source>Settings for multi-logon</source> <translation type="unfinished">Nastavení pro vícenásobné přihlášení</translation> </message> <message> <source>Domain</source> <translation type="unfinished">Doména</translation> </message> <message> <source>Double-click action for client-window</source> <translation type="unfinished">Dvojklik v okně klienta</translation> </message> <message> <source>&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;style type=&quot;text/css&quot;&gt; p, li { white-space: pre-wrap; } &lt;/style&gt;&lt;/head&gt;&lt;body style=&quot; font-family:&apos;Sans Serif&apos;; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt; &lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Here you can set what should happen if you double-click a client-window.&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</source> <translation type="unfinished">&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;style type=&quot;text/css&quot;&gt; p, li { white-space: pre-wrap; } &lt;/style&gt;&lt;/head&gt;&lt;body style=&quot; font-family:&apos;Sans Serif&apos;; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt; &lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Zde se nastavuje co se má stát, pokud provedete dvojklik v okně klienta.&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</translation> </message> <message> <source>Remote control</source> <translation type="unfinished">Vzdálené ovládání</translation> </message> <message> <source>View live in fullscreen</source> <translation type="unfinished">Zobrazení naživo v celé obrazovce</translation> </message> <message> <source>&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;/head&gt;&lt;body style=&quot; white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt;&lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;&lt;span style=&quot; font-size:8pt; font-style:italic;&quot;&gt;Please note, that some changes won&apos;t take effect until you restart iTALC.&lt;/span&gt;&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</source> <translation type="unfinished">&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;/head&gt;&lt;body style=&quot; white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt;&lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;&lt;span style=&quot; font-size:8pt; font-style:italic;&quot;&gt;Pamatujte prosím, že některá nastavení nebudou aktivní dokud nerestartujete iTALC.&lt;/span&gt;&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</translation> </message> </context> <context> <name>ConfigWidget</name> <message> <source>Your iTALC-configuration</source> <translation type="unfinished">Konfigurace iTALC</translation> </message> <message> <source>In this workspace you can customize iTALC to fit your needs.</source> <translation type="unfinished">V tomto praconím prostředí můžete upravit iTALC vašim potřebám.</translation> </message> </context> <context> <name>DecoratedMessageBox</name> <message> <source>OK</source> <translation type="unfinished">OK</translation> </message> </context> <context> <name>DemoClient</name> <message> <source>iTALC Demo</source> <translation type="unfinished">Demo iTALC</translation> </message> </context> <context> <name>ItalcCoreServer</name> <message> <source>Authentication error</source> <translation type="unfinished">Chyba autentizace</translation> </message> <message> <source>Somebody (IP: %1) tried to access this computer but could not authenticate itself successfully!</source> <translation type="unfinished">Někdo (IP: %1) se pokouší přistupovat k tomuto počítači, ale nedaří se ho autentizovat!</translation> </message> </context> <context> <name>ItalcVncConnection</name> <message> <source>VNC authentication failed because of too many authentication tries.</source> <translation type="unfinished"></translation> </message> <message> <source>VNC authentication failed.</source> <translation type="unfinished"></translation> </message> <message> <source>VNC server closed connection.</source> <translation type="unfinished"></translation> </message> </context> <context> <name>KeyFileAssistant</name> <message> <source>iTALC Access Key Assistant</source> <translation type="unfinished"></translation> </message> <message> <source>Create/import iTALC access keys</source> <translation type="unfinished"></translation> </message> <message> <source>This assistant will help you to create or import iTALC access keys.</source> <translation type="unfinished"></translation> </message> <message> <source>How does it work?</source> <translation type="unfinished"></translation> </message> <message> <source>iTALC access keys consist of two parts belonging together, a private and a public key part. Using the private key part, users on the master computer will be able to access client computers. It is important that only authorized users have read access to the private key file. The public key part is used on the client computers to verify that any incoming connection request is authorized.</source> <translation type="unfinished"></translation> </message> <message> <source>Assistant mode</source> <translation type="unfinished"></translation> </message> <message> <source>Please choose whether to create new access keys or import a public key on a client.</source> <translation type="unfinished"></translation> </message> <message> <source>Create new access keys (master computer)</source> <translation type="unfinished"></translation> </message> <message> <source>assistantModeButtonGroup</source> <translation type="unfinished"></translation> </message> <message> <source>Import public key (client computer)</source> <translation type="unfinished"></translation> </message> <message> <source>Select user role</source> <translation type="unfinished"></translation> </message> <message> <source>Please select a user role for which to create or import the access keys:</source> <translation type="unfinished"></translation> </message> <message> <source>Teacher</source> <translation type="unfinished">Učitel</translation> </message> <message> <source>Administrator</source> <translation type="unfinished">Administrátor</translation> </message> <message> <source>Support team member</source> <translation type="unfinished"></translation> </message> <message> <source>Other</source> <translation type="unfinished">Jiná</translation> </message> <message> <source>User roles allow using multiple access keys in parallel. For example there can be different teacher access keys for each classroom while the support access keys are the same for the whole school.</source> <translation type="unfinished"></translation> </message> <message> <source>Directories</source> <translation type="unfinished"></translation> </message> <message> <source>Export public key part (master computer)</source> <translation type="unfinished"></translation> </message> <message> <source>...</source> <translation type="unfinished"></translation> </message> <message> <source>Use custom destination directory for access keys</source> <translation type="unfinished"></translation> </message> <message> <source>Please specify the location of the public access key to be imported.</source> <translation type="unfinished"></translation> </message> <message> <source>Summary</source> <translation type="unfinished"></translation> </message> <message> <source>The following actions will be taken:</source> <translation type="unfinished"></translation> </message> <message utf8="true"> <source>• Create new access keys</source> <translation type="unfinished"></translation> </message> <message utf8="true"> <source>• Import public access key from</source> <translation type="unfinished"></translation> </message> <message> <source>&lt;unknown&gt;</source> <translation type="unfinished"></translation> </message> <message utf8="true"> <source>• Write access key(s) to</source> <translation type="unfinished"></translation> </message> <message utf8="true"> <source>• Export public key to</source> <translation type="unfinished"></translation> </message> <message utf8="true"> <source>• Configure for user role</source> <translation type="unfinished"></translation> </message> <message> <source>Select directory in which to export the public key</source> <translation type="unfinished"></translation> </message> <message> <source>Key files (*.key.txt)</source> <translation type="unfinished"></translation> </message> <message> <source>Invalid public key</source> <translation type="unfinished"></translation> </message> <message> <source>The selected file does not contain a valid public iTALC access key!</source> <translation type="unfinished"></translation> </message> <message> <source>Select destination directory</source> <translation type="unfinished"></translation> </message> <message> <source>Access key creation</source> <translation type="unfinished"></translation> </message> <message> <source>Could not remove previously existing file %1.</source> <translation type="unfinished"></translation> </message> <message> <source>Failed exporting public access key from %1 to %2.</source> <translation type="unfinished"></translation> </message> <message> <source>Access keys were created and written successfully to %1 and %2.</source> <translation type="unfinished"></translation> </message> <message> <source>An error occured while creating the access keys. You probably are not permitted to write to the selected directories.</source> <translation type="unfinished"></translation> </message> <message> <source>Public key import</source> <translation type="unfinished"></translation> </message> <message> <source>An error occured while importing the public access key. You probably are not permitted to read the source key or to write the destination file.</source> <translation type="unfinished"></translation> </message> <message> <source>The public key was successfully imported to %1.</source> <translation type="unfinished"></translation> </message> </context> <context> <name>LockWidget</name> <message> <source>screen lock</source> <translation type="unfinished">zamknutí obrazovky</translation> </message> </context> <context> <name>LogonGroupEditor</name> <message> <source>Logon group editor</source> <translation type="unfinished"></translation> </message> <message> <source>Please add the groups whose members should be allowed to access computers in your iTALC network.</source> <translation type="unfinished"></translation> </message> <message> <source>All groups</source> <translation type="unfinished"></translation> </message> <message> <source>...</source> <translation type="unfinished"></translation> </message> <message> <source>Groups with iTALC privileges</source> <translation type="unfinished"></translation> </message> </context> <context> <name>MainToolBar</name> <message> <source>Actions</source> <translation type="unfinished">Akce</translation> </message> </context> <context> <name>MainWindow</name> <message> <source>General</source> <translation type="unfinished">Obecné</translation> </message> <message> <source>Quit</source> <translation type="unfinished">Ukončit</translation> </message> <message> <source>iTALC Management Console</source> <translation type="unfinished"></translation> </message> <message> <source>iTALC Server</source> <translation type="unfinished"></translation> </message> <message> <source>Paths</source> <translation type="unfinished"></translation> </message> <message> <source>Authentication</source> <translation type="unfinished"></translation> </message> <message> <source>iTALC Service</source> <translation type="unfinished"></translation> </message> <message> <source>Hide tray icon</source> <translation type="unfinished"></translation> </message> <message> <source>Autostart</source> <translation type="unfinished"></translation> </message> <message> <source>Additional arguments</source> <translation type="unfinished"></translation> </message> <message> <source>Start service</source> <translation type="unfinished"></translation> </message> <message> <source>Stop service</source> <translation type="unfinished"></translation> </message> <message> <source>State:</source> <translation type="unfinished"></translation> </message> <message> <source>Stopped</source> <translation type="unfinished"></translation> </message> <message> <source>Logging</source> <translation type="unfinished"></translation> </message> <message> <source>Log file directory</source> <translation type="unfinished"></translation> </message> <message> <source>...</source> <translation type="unfinished"></translation> </message> <message> <source>Log level</source> <translation type="unfinished"></translation> </message> <message> <source>Nothing</source> <translation type="unfinished"></translation> </message> <message> <source>Only critical messages</source> <translation type="unfinished"></translation> </message> <message> <source>Errors and critical messages</source> <translation type="unfinished"></translation> </message> <message> <source>Warnings and errors</source> <translation type="unfinished"></translation> </message> <message> <source>Information, warnings and errors</source> <translation type="unfinished"></translation> </message> <message> <source>Debug messages and everything else</source> <translation type="unfinished"></translation> </message> <message> <source>Limit log file size</source> <translation type="unfinished"></translation> </message> <message> <source>MB</source> <translation type="unfinished"></translation> </message> <message> <source>Clear all log files</source> <translation type="unfinished"></translation> </message> <message> <source>Desktop capturing</source> <translation type="unfinished"></translation> </message> <message> <source>Enable capturing of layered (semi-transparent) windows</source> <translation type="unfinished"></translation> </message> <message> <source>Low accuracy (turbo mode)</source> <translation type="unfinished"></translation> </message> <message> <source>Demo server</source> <translation type="unfinished"></translation> </message> <message> <source>Network</source> <translation type="unfinished"></translation> </message> <message> <source>Core server port</source> <translation type="unfinished"></translation> </message> <message> <source>Demo server port</source> <translation type="unfinished"></translation> </message> <message> <source>Enable firewall exception</source> <translation type="unfinished"></translation> </message> <message> <source>Configuration files</source> <translation type="unfinished"></translation> </message> <message> <source>Global configuration</source> <translation type="unfinished"></translation> </message> <message> <source>Personal configuration</source> <translation type="unfinished"></translation> </message> <message> <source>Data directories</source> <translation type="unfinished"></translation> </message> <message> <source>Snapshots</source> <translation type="unfinished">Snímky</translation> </message> <message> <source>Authentication methods</source> <translation type="unfinished"></translation> </message> <message> <source>Access key management</source> <translation type="unfinished"></translation> </message> <message> <source>Logon settings</source> <translation type="unfinished"></translation> </message> <message> <source>&amp;File</source> <translation type="unfinished"></translation> </message> <message> <source>&amp;Help</source> <translation type="unfinished"></translation> </message> <message> <source>&amp;Quit</source> <translation type="unfinished"></translation> </message> <message> <source>Ctrl+Q</source> <translation type="unfinished"></translation> </message> <message> <source>&amp;Save settings into file</source> <translation type="unfinished"></translation> </message> <message> <source>Save settings into file</source> <translation type="unfinished"></translation> </message> <message> <source>Ctrl+S</source> <translation type="unfinished"></translation> </message> <message> <source>L&amp;oad settings from file</source> <translation type="unfinished"></translation> </message> <message> <source>Ctrl+O</source> <translation type="unfinished"></translation> </message> <message> <source>About iTALC</source> <translation type="unfinished">O iTALC</translation> </message> <message> <source>About Qt</source> <translation type="unfinished"></translation> </message> <message> <source>MainWindow</source> <translation type="unfinished"></translation> </message> <message> <source>toolBar</source> <translation type="unfinished"></translation> </message> <message> <source>iTALC Management Console %1</source> <translation type="unfinished"></translation> </message> <message> <source>Running</source> <translation type="unfinished"></translation> </message> <message> <source>Load settings from file</source> <translation type="unfinished"></translation> </message> <message> <source>XML files (*.xml)</source> <translation type="unfinished"></translation> </message> <message> <source>Save settings to file</source> <translation type="unfinished"></translation> </message> <message> <source>Unsaved settings</source> <translation type="unfinished"></translation> </message> <message> <source>There are unsaved settings. Quit anyway?</source> <translation type="unfinished"></translation> </message> <message> <source>Configuration not writable</source> <translation type="unfinished"></translation> </message> <message> <source>The local configuration backend reported that the configuration is not writable! Please run the iTALC Management Console with higher privileges.</source> <translation type="unfinished"></translation> </message> <message> <source>All settings were applied successfully.</source> <translation type="unfinished"></translation> </message> <message> <source>An error occured while applying settings!</source> <translation type="unfinished"></translation> </message> <message> <source>iTALC</source> <translation type="unfinished">iTALC</translation> </message> <message> <source>No write access</source> <translation type="unfinished"></translation> </message> <message> <source>Could not read/write or create directory %1! For running iTALC, make sure you&apos;re permitted to create or write this directory.</source> <translation type="unfinished">Nemohu číst/zapisovat nebo vytvořit adresář %1! Pro spuštění iTALC je nutné, abyste měli oprávnění vytvářet a zapisovat do tohoto adresáře.</translation> </message> <message> <source>Classroom</source> <translation type="unfinished">Třída</translation> </message> <message> <source>Switch classroom</source> <translation type="unfinished">Přepnout třídu</translation> </message> <message> <source>Click this button to open a menu where you can choose the active classroom.</source> <translation type="unfinished">Kliknutím na toto tlačítko se zobrazí nabídka, kde si budete moci zvolit aktivní třídu.</translation> </message> <message> <source>Click on this button, to switch between classrooms.</source> <translation type="unfinished">Klikněte na toto tlačítko a přepněte se mezi třídami.</translation> </message> <message> <source>Overview mode</source> <translation type="unfinished">Přehledový mód</translation> </message> <message> <source>Overview</source> <translation type="unfinished">Přehled</translation> </message> <message> <source>This is the default mode in iTALC and allows you to have an overview over all visible computers. Also click on this button for unlocking locked workstations or for leaving demo-mode.</source> <translation type="unfinished">Toto je výchozí mód iTALC, který vám umožní zobrazit přehled dostupných počítačů. Kliknutím na toto tlačítko odemknete zamknuté stanice nebo opustíte ukázkový mód.</translation> </message> <message> <source>Fullscreen demo</source> <translation type="unfinished"></translation> </message> <message> <source>Fullscreen Demo</source> <translation type="unfinished"></translation> </message> <message> <source>Stop Demo</source> <translation type="unfinished"></translation> </message> <message> <source>In this mode your screen is being displayed on all shown computers. Furthermore the users aren&apos;t able to do something else as all input devices are locked in this mode.</source> <translation type="unfinished">V tomto módu bude vaše obrazovka zobrazena na všech dostupných počítačích. Mimo to, uživatelé nebudou schopni dělat nic jiného, protože budou jejich vstupní zařízení uzamčeny.</translation> </message> <message> <source>Window demo</source> <translation type="unfinished"></translation> </message> <message> <source>Window Demo</source> <translation type="unfinished"></translation> </message> <message> <source>In this mode your screen being displayed in a window on all shown computers. The users are able to switch to other windows and thus can continue to work.</source> <translation type="unfinished">V tomto módu se vaše obrazovka zobrazí na všech počítačích. Uživatelé přitom budou moci přepínat mezi dalšími oknami a tak může vaše práce pokračovat.</translation> </message> <message> <source>Lock/unlock desktops</source> <translation type="unfinished">Zamknout/odemknout počítače</translation> </message> <message> <source>Lock all</source> <translation type="unfinished">Zamknout vše</translation> </message> <message> <source>Unlock all</source> <translation type="unfinished">Odemknout vše</translation> </message> <message> <source>To have all user&apos;s full attention you can lock their desktops using this button. In this mode all input devices are locked and the screen is black.</source> <translation type="unfinished">Abyste upoutali pozornost všech uživatelů, můžete jim pomocí tohoto tlačítka uzamknout všechny počítače. V tomto módu budou všechna vstupní zařízení uzamčena a obrazovky budou černé.</translation> </message> <message> <source>Send text message</source> <translation type="unfinished">Poslat textovou zprávu</translation> </message> <message> <source>Text message</source> <translation type="unfinished">Textová zpráva</translation> </message> <message> <source>Use this button to send a text message to all users e.g. to tell them new tasks etc.</source> <translation type="unfinished">Pomocí tohoto tlačítka můžete poslat zprávu všem uživatelům, např. zadat jim tak nové úkoly, atd.</translation> </message> <message> <source>Power on computers</source> <translation type="unfinished">Zapne počítače</translation> </message> <message> <source>Power on</source> <translation type="unfinished">Zapnout</translation> </message> <message> <source>Click this button to power on all visible computers. This way you do not have to turn on each computer by hand.</source> <translation type="unfinished">Kliknutím na toto tlačítko zapnete všechny viditelné počítače. Tímto způsobem nebudete muset zapínat každý počítač ručně.</translation> </message> <message> <source>Power down computers</source> <translation type="unfinished"></translation> </message> <message> <source>Power down</source> <translation type="unfinished">Vypnout</translation> </message> <message> <source>To power down all shown computers (e.g. after the lesson has finished) you can click this button.</source> <translation type="unfinished">Pro vypnutí všech zobrazených počítačů (např. na konci hodiny), stačí kliknout na toto tlačítko.</translation> </message> <message> <source>Support</source> <translation type="unfinished">Podpora</translation> </message> <message> <source>Direct support</source> <translation type="unfinished"></translation> </message> <message> <source>If you need to support someone at a certain computer you can click this button and enter the according hostname or IP afterwards.</source> <translation type="unfinished"></translation> </message> <message> <source>Adjust/align</source> <translation type="unfinished">Seřadit/uspořádat</translation> </message> <message> <source>Adjust windows and their size</source> <translation type="unfinished">Uspořádá okna a nastaví jejich velikosti</translation> </message> <message> <source>When clicking this button the biggest possible size for the client-windows is adjusted. Furthermore all windows are aligned.</source> <translation type="unfinished">Kliknutím na toto tlačítko bude nastavena ta největší možná velikost oken klientů. Kromě toho budou všechna okna srovnána.</translation> </message> <message> <source>Auto view</source> <translation type="unfinished">Automatický pohled</translation> </message> <message> <source>Auto re-arrange windows and their size</source> <translation type="unfinished">Automaticky přenastaví okna a jejich velikosti</translation> </message> <message> <source>When clicking this button all visible windows are re-arranged and adjusted.</source> <translation type="unfinished">Kliknutím na toto tlačítko budou všechna okna přeuspořádána a přizpůsobena.</translation> </message> <message> <source>iTALC Master Control</source> <translation type="unfinished"></translation> </message> <message> <source>Remote control</source> <translation type="unfinished">Vzdálené ovládání</translation> </message> <message> <source>Could not modify the autostart property for the iTALC Service.</source> <translation type="unfinished"></translation> </message> <message> <source>Could not modify the service arguments for the iTALC Service.</source> <translation type="unfinished"></translation> </message> <message> <source>Could not change the firewall configuration for the iTALC Service.</source> <translation type="unfinished"></translation> </message> <message> <source>Debugging</source> <translation type="unfinished"></translation> </message> <message> <source>Enable desktop switching for screen lock (experimental)</source> <translation type="unfinished"></translation> </message> <message> <source>Log to standard error output</source> <translation type="unfinished"></translation> </message> <message> <source>Log to Windows event log</source> <translation type="unfinished"></translation> </message> <message> <source>Backend</source> <translation type="unfinished"></translation> </message> <message> <source>VNC reflector</source> <translation type="unfinished"></translation> </message> <message> <source>iTALC 1 demo server</source> <translation type="unfinished"></translation> </message> <message> <source>Multithreading (can be enabled when using the VNC reflector backend)</source> <translation type="unfinished"></translation> </message> <message> <source>Enable HTTP server which provides a JavaViewer applet</source> <translation type="unfinished"></translation> </message> <message> <source>HTTP server port</source> <translation type="unfinished"></translation> </message> <message> <source>Allow connections from localhost only</source> <translation type="unfinished"></translation> </message> <message> <source>Key file authentication</source> <translation type="unfinished"></translation> </message> <message> <source>ACL-based logon authentication</source> <translation type="unfinished"></translation> </message> <message> <source>Public key file base directory</source> <translation type="unfinished"></translation> </message> <message> <source>Private key file base directory</source> <translation type="unfinished"></translation> </message> <message> <source>Launch key file assistant</source> <translation type="unfinished"></translation> </message> <message> <source>Manage permissions</source> <translation type="unfinished"></translation> </message> <message> <source>Test</source> <translation type="unfinished"></translation> </message> <message> <source>Access confirmation</source> <translation type="unfinished"></translation> </message> <message> <source>You can configure iTALC to ask the user for permission to access the desktop when using certain authentication methods.</source> <translation type="unfinished"></translation> </message> <message> <source>Logon authentication</source> <translation type="unfinished"></translation> </message> <message> <source>Allow same user to access desktop without confirmation</source> <translation type="unfinished"></translation> </message> <message> <source>Debugging iTALC</source> <translation type="unfinished"></translation> </message> <message> <source>When encountering bugs or other misbehaviour in iTALC it is important to inform the developers about them, so that the bugs can be fixed in future releases. This page allows you to submit a helpful bug report easily. If the bug is not reproducible, skip step 1) - 3).</source> <translation type="unfinished"></translation> </message> <message> <source>1)</source> <translation type="unfinished"></translation> </message> <message> <source>Clear the logfiles in the &quot;General&quot; section.</source> <translation type="unfinished"></translation> </message> <message> <source>2)</source> <translation type="unfinished"></translation> </message> <message> <source>In the &quot;General&quot; section set the log level to &quot;Debug messages and everything else&quot;.</source> <translation type="unfinished"></translation> </message> <message> <source>3)</source> <translation type="unfinished"></translation> </message> <message> <source>Repeat the actions leading to the bug or misbehaviour.</source> <translation type="unfinished"></translation> </message> <message> <source>4)</source> <translation type="unfinished"></translation> </message> <message> <source>Click the following button and save the file to a known location.</source> <translation type="unfinished"></translation> </message> <message> <source>Generate bug report archive</source> <translation type="unfinished"></translation> </message> <message> <source>5)</source> <translation type="unfinished"></translation> </message> <message> <source>Go to the &lt;a href=&quot;http://sourceforge.net/tracker/?group_id=132465&amp;amp;atid=724375&quot;&gt;iTALC bug tracker&lt;/a&gt;, open a new bug, describe what you did in step 3) and attach the file you saved in step 4).&lt;/p&gt; &lt;br/&gt; &lt;br/&gt; Note: if the bug involves both a master and client computer, attach bug report archives for both computers.</source> <translation type="unfinished"></translation> </message> <message> <source>Restart iTALC Service</source> <translation type="unfinished"></translation> </message> <message> <source>All settings were saved successfully. In order to take effect the iTALC service needs to be restarted. Restart it now?</source> <translation type="unfinished"></translation> </message> <message> <source>Starting iTALC service</source> <translation type="unfinished"></translation> </message> <message> <source>Stopping iTALC service</source> <translation type="unfinished"></translation> </message> <message> <source>The iTALC service needs to be stopped temporarily in order to remove the log files. Continue?</source> <translation type="unfinished"></translation> </message> <message> <source>Log files cleared</source> <translation type="unfinished"></translation> </message> <message> <source>All log files were cleared successfully.</source> <translation type="unfinished"></translation> </message> <message> <source>Error</source> <translation type="unfinished"></translation> </message> <message> <source>Could not remove all log files.</source> <translation type="unfinished"></translation> </message> <message> <source>Logon authentication test</source> <translation type="unfinished"></translation> </message> <message> <source>Authentication with provided credentials was successful.</source> <translation type="unfinished"></translation> </message> <message> <source>Authentication with provided credentials failed!</source> <translation type="unfinished"></translation> </message> <message> <source>Save bug report archive</source> <translation type="unfinished"></translation> </message> <message> <source>iTALC bug report archive (*.ibra.xml)</source> <translation type="unfinished"></translation> </message> <message> <source>iTALC bug report archive saved</source> <translation type="unfinished"></translation> </message> <message> <source>An iTALC bug report archive has been saved to %1. It includes iTALC log files and information about your operating system. You can attach it to a bug report.</source> <translation type="unfinished"></translation> </message> <message> <source>Could not contact iTALC service</source> <translation type="unfinished"></translation> </message> <message> <source>Could not contact the local iTALC service. It is likely that you entered wrong credentials or key files are not set up properly. Try again or contact your administrator for solving this problem using the iTALC Management Console.</source> <translation type="unfinished"></translation> </message> <message> <source>Authentication impossible</source> <translation type="unfinished"></translation> </message> <message> <source>No authentication key files were found or your current ones are outdated. Please create new key files using the iTALC Management Console. Alternatively set up logon authentication using the iTALC Management Console. Otherwise you won&apos;t be able to access computers using iTALC.</source> <translation type="unfinished"></translation> </message> <message> <source>Poll full screen (leave this enabled per default)</source> <translation type="unfinished"></translation> </message> </context> <context> <name>MessageBoxSlave</name> <message> <source>Message from teacher</source> <translation type="unfinished">Zpráva od učitele</translation> </message> </context> <context> <name>Overview</name> <message> <source>&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;style type=&quot;text/css&quot;&gt; p, li { white-space: pre-wrap; } &lt;/style&gt;&lt;/head&gt;&lt;body style=&quot; font-family:&apos;Sans Serif&apos;; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt; &lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;&lt;span style=&quot; font-size:12pt; font-weight:600; font-style:italic;&quot;&gt;Welcome to iTALC!&lt;/span&gt;&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</source> <translation type="unfinished">&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;style type=&quot;text/css&quot;&gt; p, li { white-space: pre-wrap; } &lt;/style&gt;&lt;/head&gt;&lt;body style=&quot; font-family:&apos;Sans Serif&apos;; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt; &lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;&lt;span style=&quot; font-size:12pt; font-weight:600; font-style:italic;&quot;&gt; Vítejte v iTALC!&lt;/span&gt;&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</translation> </message> <message> <source>Here you see the working-bar which contains several buttons. Each button is connected to a workspace. Just take a look at the available workspaces by clicking on the corresponding button.</source> <translation type="unfinished">Na pracovní ploše jsou vidět různá tlačítka. Každé tlačítko je připojeno k nějaké pracovní ploše. Jednoduše se kliknutím na odpovídající tlačítko podívejte na dostupné pracovní plochy.</translation> </message> <message> <source>Using the classroom-manager you can manage your classrooms and computers. You can also see which users are logged in.</source> <translation type="unfinished"></translation> </message> <message> <source>The snapshot-workspace is a very useful tool. It let&apos;s you manage the snapshots you made.</source> <translation type="unfinished">Plocha se snímky obrazovky je velmi užitečná. Umožní vám spravovat snímky, které provedete.</translation> </message> <message> <source>Of course you can configure iTALC. This is usually done using the configuration-workspace.</source> <translation type="unfinished">Samozřejmě, že můžete nastavovat iTALC. To se obvykle provádí pomocí konfigurační plochy.</translation> </message> <message> <source>About iTALC</source> <translation type="unfinished">O iTALC</translation> </message> </context> <context> <name>OverviewWidget</name> <message> <source>Overview</source> <translation type="unfinished">Přehled</translation> </message> <message> <source>Some basic information on iTALC and how to use it.</source> <translation type="unfinished">Některé základní informace o iTALC a použití programu.</translation> </message> </context> <context> <name>PasswordDialog</name> <message> <source>Please enter your username and password in order to access iTALC clients.</source> <translation type="unfinished"></translation> </message> <message> <source>Username</source> <translation type="unfinished">Uživatelské jméno</translation> </message> <message> <source>Password</source> <translation type="unfinished">Heslo</translation> </message> <message> <source>iTALC Logon</source> <translation type="unfinished"></translation> </message> <message> <source>Manage</source> <translation type="unfinished"></translation> </message> </context> <context> <name>QApplication</name> <message> <source>iTALC Client %1 on %2:%3</source> <translation>Klient iTALC %1 na %2:%3</translation> </message> <message> <source>Unable to register service &apos;%1&apos;.</source> <translation>Nemohu zaregistrovat službu &apos;%1&apos;.</translation> </message> <message> <source>The Service Control Manager could not be contacted (do you have the neccessary rights?!) - the service &apos;%1&apos; was not registered.</source> <translation>Nemohu kontaktovat Správce služeb (máte potřebná oprávnění?!) - služba &apos;%1&apos; nebyla zaregistrována.</translation> </message> <message> <source>The service &apos;%1&apos; is already registered.</source> <translation>Služba &apos;%1&apos; je již registrována.</translation> </message> <message> <source>The service &apos;%1&apos; could not be registered.</source> <translation>Nemohu zaregistrovat službu &apos;%1&apos;.</translation> </message> <message> <source>The service &apos;%1&apos; was successfully registered.</source> <translation>Služba &apos;%1&apos; byla úspěšně registrována.</translation> </message> <message> <source>The service &apos;%1&apos; could not be stopped.</source> <translation>Službu &apos;%1&apos; není možno zastavit.</translation> </message> <message> <source>The service &apos;%1&apos; has been unregistered.</source> <translation>Služba &apos;%1&apos; byla odregistrována.</translation> </message> <message> <source>The service &apos;%1&apos; isn&apos;t registered and therefore can&apos;t be unregistered.</source> <translation>Služba &apos;%1&apos; není registrována a z tohoto jí nelze odregistrovat.</translation> </message> <message> <source>The service &apos;%1&apos; could not be unregistered.</source> <translation>Službu &apos;%1&apos; nebylo možno odregistrovat.</translation> </message> <message> <source>The service &apos;%1&apos; could not be found.</source> <translation>Službu &apos;%1&apos; nelze najít.</translation> </message> <message> <source>The Service Control Manager could not be contacted (do you have the neccessary rights?!) - the service &apos;%1&apos; was not unregistered.</source> <translation>Nemohu kontakovat Správce služeb (máte potřebná oprávnění?!) - službu &apos;%1&apos; nelze odregistrovat.</translation> </message> <message> <source>The Service Control Manager could not be contacted (do you have the neccessary rights?!) - the service &apos;%1&apos; was not stopped.</source> <translation>Nemohu kontaktovat Správce služeb (máte potřebná oprávnění?!) - služba &apos;%1&apos; nebyla zastavena.</translation> </message> </context> <context> <name>RemoteControlWidget</name> <message> <source>View live (%1 @ %2)</source> <translation type="unfinished"></translation> </message> <message> <source>Remote control (%1 @ %2)</source> <translation type="unfinished"></translation> </message> <message> <source>unknown user</source> <translation type="unfinished">neznámý uživatel</translation> </message> </context> <context> <name>RemoteControlWidgetToolBar</name> <message> <source>View only</source> <translation type="unfinished">Pouze prohlížet</translation> </message> <message> <source>Remote control</source> <translation type="unfinished">Vzdálené ovládání</translation> </message> <message> <source>Lock student</source> <translation type="unfinished">Zamknout studenta</translation> </message> <message> <source>Unlock student</source> <translation type="unfinished">Odemknout studenta</translation> </message> <message> <source>Snapshot</source> <translation type="unfinished">Snímek</translation> </message> <message> <source>Fullscreen</source> <translation type="unfinished">Celá obrazovka</translation> </message> <message> <source>Window</source> <translation type="unfinished">Okno</translation> </message> <message> <source>Quit</source> <translation type="unfinished">Ukončit</translation> </message> <message> <source>Connecting %1</source> <translation type="unfinished">Připojuji %1</translation> </message> <message> <source>Connected.</source> <translation type="unfinished">Připojeno.</translation> </message> </context> <context> <name>RemoteLogonDialog</name> <message> <source>Remote logon</source> <translation type="unfinished">Vzdálené odhlášení</translation> </message> <message> <source>Use the fields below to enter the username, password and optional the domain name. These information will be used to logon the computer(s).</source> <translation type="unfinished"></translation> </message> <message> <source>Username</source> <translation type="unfinished">Uživatelské jméno</translation> </message> <message> <source>Password</source> <translation type="unfinished">Heslo</translation> </message> <message> <source>Domain</source> <translation type="unfinished">Doména</translation> </message> </context> <context> <name>RunCommandsDialog</name> <message> <source>Run commands</source> <translation type="unfinished"></translation> </message> <message> <source>Please enter the commands to run on the selected client(s). You can separate multiple commands by line.</source> <translation type="unfinished"></translation> </message> </context> <context> <name>Snapshot</name> <message> <source>unknown</source> <translation type="unfinished"></translation> </message> <message> <source>Could not take a snapshot as directory %1 doesn&apos;t exist and couldn&apos;t be created.</source> <translation type="unfinished">Nemohu získat snímek, protože adresář %1 neexistuje a nelze ho vytvořit.</translation> </message> <message> <source>Snapshot</source> <translation type="unfinished">Snímek</translation> </message> </context> <context> <name>SnapshotList</name> <message> <source>Snapshots</source> <translation type="unfinished">Snímky</translation> </message> <message> <source>Simply manage the snapshots you made using this workspace.</source> <translation type="unfinished">Jednoduše spravuje vámi provedené snímky ploch.</translation> </message> </context> <context> <name>Snapshots</name> <message> <source>&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;style type=&quot;text/css&quot;&gt; p, li { white-space: pre-wrap; } &lt;/style&gt;&lt;/head&gt;&lt;body style=&quot; font-family:&apos;Sans Serif&apos;; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt; &lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;All snapshots you made are listed here. You can make snapshots by selecting the according entry in the context-menu of a client-window. These snapshosts can be managed using the buttons below.&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</source> <translation type="unfinished">&lt;html&gt;&lt;head&gt;&lt;meta name=&quot;qrichtext&quot; content=&quot;1&quot; /&gt;&lt;style type=&quot;text/css&quot;&gt; p, li { white-space: pre-wrap; } &lt;/style&gt;&lt;/head&gt;&lt;body style=&quot; font-family:&apos;Sans Serif&apos;; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;&quot;&gt; &lt;p style=&quot; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;&quot;&gt;Všechny pořízené snímky se uchovávají zde. Snímky můžete provádět výběrem odpovídající položky v kontextové nabídce klientského okna. Tyto snímky je možno spravovat pomocí tlačítek níže.&lt;/p&gt;&lt;/body&gt;&lt;/html&gt;</translation> </message> <message> <source>User:</source> <translation type="unfinished">Uživatel:</translation> </message> <message> <source>Host:</source> <translation type="unfinished">Počítač:</translation> </message> <message><|fim▁hole|> <message> <source>Time:</source> <translation type="unfinished">Čas:</translation> </message> <message> <source>Show</source> <translation type="unfinished"></translation> </message> <message> <source>Delete</source> <translation type="unfinished"></translation> </message> </context> <context> <name>SupportDialog</name> <message> <source>Support</source> <translation type="unfinished">Podpora</translation> </message> <message> <source>Please enter the IP address or the name of the host to which you want to connect.</source> <translation type="unfinished"></translation> </message> </context> <context> <name>TextMessageDialog</name> <message> <source>Send text message</source> <translation type="unfinished">Poslat textovou zprávu</translation> </message> <message> <source>Use the field below to type your message which will be sent to all selected users.</source> <translation type="unfinished">Do políčka níže zadejte vaši zprávu, která bude poslána vybraným uživatelům.</translation> </message> </context> <context> <name>VncView</name> <message> <source>Establishing connection to %1 ...</source> <translation type="unfinished">Připojuji se k %1 ...</translation> </message> </context> <context> <name>clientMenu</name> <message> <source>Overview</source> <translation type="unfinished">Přehled</translation> </message> <message> <source>Fullscreen demo</source> <translation type="unfinished"></translation> </message> <message> <source>Window demo</source> <translation type="unfinished"></translation> </message> <message> <source>Locked display</source> <translation type="unfinished">Obrazovka zamknuta</translation> </message> <message> <source>View live</source> <translation type="unfinished">Zobrazit naživo</translation> </message> <message> <source>Remote control</source> <translation type="unfinished">Vzdálené ovládání</translation> </message> <message> <source>Let student show demo</source> <translation type="unfinished">Zobrazit studentům demo</translation> </message> <message> <source>Send text message</source> <translation type="unfinished">Poslat textovou zprávu</translation> </message> <message> <source>Logout user</source> <translation type="unfinished">Odhlásit uživatele</translation> </message> <message> <source>Take a snapshot</source> <translation type="unfinished">Sejmout obrazovku</translation> </message> <message> <source>Power on</source> <translation type="unfinished">Zapnout</translation> </message> <message> <source>Reboot</source> <translation type="unfinished">Restartovat</translation> </message> <message> <source>Power down</source> <translation type="unfinished">Vypnout</translation> </message> <message> <source>Execute commands</source> <translation type="unfinished">Vykonat příkaz</translation> </message> </context> </TS><|fim▁end|>
<source>Date:</source> <translation type="unfinished">Datum:</translation> </message>
<|file_name|>trait-safety-fn-body.rs<|end_file_name|><|fim▁begin|>// Copyright 2014 The Rust Project Developers. See the COPYRIGHT // file at the top-level directory of this distribution and at // http://rust-lang.org/COPYRIGHT. // // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your // option. This file may not be copied, modified, or distributed // except according to those terms. // Check that an unsafe impl does not imply that unsafe actions are // legal in the methods. unsafe trait UnsafeTrait : Sized { fn foo(self) { }<|fim▁hole|> // Unsafe actions are not made legal by taking place in an unsafe trait: *self += 1; //~ ERROR E0133 } } fn main() { }<|fim▁end|>
} unsafe impl UnsafeTrait for *mut isize { fn foo(self) {
<|file_name|>retry_interceptor.go<|end_file_name|><|fim▁begin|>// Copyright 2016 The etcd Authors // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. // Based on github.com/grpc-ecosystem/go-grpc-middleware/retry, but modified to support the more // fine grained error checking required by write-at-most-once retry semantics of etcd. package clientv3 import ( "context" "io" "sync" "time" "go.etcd.io/etcd/etcdserver/api/v3rpc/rpctypes" "go.uber.org/zap" "google.golang.org/grpc" "google.golang.org/grpc/codes" "google.golang.org/grpc/metadata" "google.golang.org/grpc/status" ) // unaryClientInterceptor returns a new retrying unary client interceptor. // // The default configuration of the interceptor is to not retry *at all*. This behaviour can be // changed through options (e.g. WithMax) on creation of the interceptor or on call (through grpc.CallOptions). func (c *Client) unaryClientInterceptor(logger *zap.Logger, optFuncs ...retryOption) grpc.UnaryClientInterceptor { intOpts := reuseOrNewWithCallOptions(defaultOptions, optFuncs) return func(ctx context.Context, method string, req, reply interface{}, cc *grpc.ClientConn, invoker grpc.UnaryInvoker, opts ...grpc.CallOption) error { ctx = withVersion(ctx) grpcOpts, retryOpts := filterCallOptions(opts) callOpts := reuseOrNewWithCallOptions(intOpts, retryOpts) // short circuit for simplicity, and avoiding allocations. if callOpts.max == 0 { return invoker(ctx, method, req, reply, cc, grpcOpts...) } var lastErr error for attempt := uint(0); attempt < callOpts.max; attempt++ { if err := waitRetryBackoff(ctx, attempt, callOpts); err != nil { return err } logger.Debug( "retrying of unary invoker", zap.String("target", cc.Target()), zap.Uint("attempt", attempt), ) lastErr = invoker(ctx, method, req, reply, cc, grpcOpts...) if lastErr == nil { return nil } logger.Warn( "retrying of unary invoker failed", zap.String("target", cc.Target()), zap.Uint("attempt", attempt), zap.Error(lastErr), ) if isContextError(lastErr) { if ctx.Err() != nil { // its the context deadline or cancellation. return lastErr } // its the callCtx deadline or cancellation, in which case try again. continue } if callOpts.retryAuth && rpctypes.Error(lastErr) == rpctypes.ErrInvalidAuthToken { gterr := c.getToken(ctx) if gterr != nil { logger.Warn( "retrying of unary invoker failed to fetch new auth token", zap.String("target", cc.Target()), zap.Error(gterr), ) return gterr // lastErr must be invalid auth token } continue } if !isSafeRetry(c.lg, lastErr, callOpts) { return lastErr } } return lastErr } } // streamClientInterceptor returns a new retrying stream client interceptor for server side streaming calls. // // The default configuration of the interceptor is to not retry *at all*. This behaviour can be // changed through options (e.g. WithMax) on creation of the interceptor or on call (through grpc.CallOptions). // // Retry logic is available *only for ServerStreams*, i.e. 1:n streams, as the internal logic needs // to buffer the messages sent by the client. If retry is enabled on any other streams (ClientStreams, // BidiStreams), the retry interceptor will fail the call. func (c *Client) streamClientInterceptor(logger *zap.Logger, optFuncs ...retryOption) grpc.StreamClientInterceptor { intOpts := reuseOrNewWithCallOptions(defaultOptions, optFuncs) return func(ctx context.Context, desc *grpc.StreamDesc, cc *grpc.ClientConn, method string, streamer grpc.Streamer, opts ...grpc.CallOption) (grpc.ClientStream, error) { ctx = withVersion(ctx) // getToken automatically // TODO(cfc4n): keep this code block, remove codes about getToken in client.go after pr #12165 merged. if c.authTokenBundle != nil { // equal to c.Username != "" && c.Password != "" err := c.getToken(ctx) if err != nil && rpctypes.Error(err) != rpctypes.ErrAuthNotEnabled { logger.Error("clientv3/retry_interceptor: getToken failed", zap.Error(err)) return nil, err } } grpcOpts, retryOpts := filterCallOptions(opts) callOpts := reuseOrNewWithCallOptions(intOpts, retryOpts) // short circuit for simplicity, and avoiding allocations. if callOpts.max == 0 { return streamer(ctx, desc, cc, method, grpcOpts...) } if desc.ClientStreams { return nil, status.Errorf(codes.Unimplemented, "clientv3/retry_interceptor: cannot retry on ClientStreams, set Disable()") } newStreamer, err := streamer(ctx, desc, cc, method, grpcOpts...) if err != nil { logger.Error("streamer failed to create ClientStream", zap.Error(err)) return nil, err // TODO(mwitkow): Maybe dial and transport errors should be retriable? } retryingStreamer := &serverStreamingRetryingStream{ client: c, ClientStream: newStreamer, callOpts: callOpts, ctx: ctx, streamerCall: func(ctx context.Context) (grpc.ClientStream, error) { return streamer(ctx, desc, cc, method, grpcOpts...) }, } return retryingStreamer, nil<|fim▁hole|> // type serverStreamingRetryingStream is the implementation of grpc.ClientStream that acts as a // proxy to the underlying call. If any of the RecvMsg() calls fail, it will try to reestablish // a new ClientStream according to the retry policy. type serverStreamingRetryingStream struct { grpc.ClientStream client *Client bufferedSends []interface{} // single message that the client can sen receivedGood bool // indicates whether any prior receives were successful wasClosedSend bool // indicates that CloseSend was closed ctx context.Context callOpts *options streamerCall func(ctx context.Context) (grpc.ClientStream, error) mu sync.RWMutex } func (s *serverStreamingRetryingStream) setStream(clientStream grpc.ClientStream) { s.mu.Lock() s.ClientStream = clientStream s.mu.Unlock() } func (s *serverStreamingRetryingStream) getStream() grpc.ClientStream { s.mu.RLock() defer s.mu.RUnlock() return s.ClientStream } func (s *serverStreamingRetryingStream) SendMsg(m interface{}) error { s.mu.Lock() s.bufferedSends = append(s.bufferedSends, m) s.mu.Unlock() return s.getStream().SendMsg(m) } func (s *serverStreamingRetryingStream) CloseSend() error { s.mu.Lock() s.wasClosedSend = true s.mu.Unlock() return s.getStream().CloseSend() } func (s *serverStreamingRetryingStream) Header() (metadata.MD, error) { return s.getStream().Header() } func (s *serverStreamingRetryingStream) Trailer() metadata.MD { return s.getStream().Trailer() } func (s *serverStreamingRetryingStream) RecvMsg(m interface{}) error { attemptRetry, lastErr := s.receiveMsgAndIndicateRetry(m) if !attemptRetry { return lastErr // success or hard failure } // We start off from attempt 1, because zeroth was already made on normal SendMsg(). for attempt := uint(1); attempt < s.callOpts.max; attempt++ { if err := waitRetryBackoff(s.ctx, attempt, s.callOpts); err != nil { return err } newStream, err := s.reestablishStreamAndResendBuffer(s.ctx) if err != nil { s.client.lg.Error("failed reestablishStreamAndResendBuffer", zap.Error(err)) return err // TODO(mwitkow): Maybe dial and transport errors should be retriable? } s.setStream(newStream) s.client.lg.Warn("retrying RecvMsg", zap.Error(lastErr)) attemptRetry, lastErr = s.receiveMsgAndIndicateRetry(m) if !attemptRetry { return lastErr } } return lastErr } func (s *serverStreamingRetryingStream) receiveMsgAndIndicateRetry(m interface{}) (bool, error) { s.mu.RLock() wasGood := s.receivedGood s.mu.RUnlock() err := s.getStream().RecvMsg(m) if err == nil || err == io.EOF { s.mu.Lock() s.receivedGood = true s.mu.Unlock() return false, err } else if wasGood { // previous RecvMsg in the stream succeeded, no retry logic should interfere return false, err } if isContextError(err) { if s.ctx.Err() != nil { return false, err } // its the callCtx deadline or cancellation, in which case try again. return true, err } if s.callOpts.retryAuth && rpctypes.Error(err) == rpctypes.ErrInvalidAuthToken { gterr := s.client.getToken(s.ctx) if gterr != nil { s.client.lg.Warn("retry failed to fetch new auth token", zap.Error(gterr)) return false, err // return the original error for simplicity } return true, err } return isSafeRetry(s.client.lg, err, s.callOpts), err } func (s *serverStreamingRetryingStream) reestablishStreamAndResendBuffer(callCtx context.Context) (grpc.ClientStream, error) { s.mu.RLock() bufferedSends := s.bufferedSends s.mu.RUnlock() newStream, err := s.streamerCall(callCtx) if err != nil { return nil, err } for _, msg := range bufferedSends { if err := newStream.SendMsg(msg); err != nil { return nil, err } } if err := newStream.CloseSend(); err != nil { return nil, err } return newStream, nil } func waitRetryBackoff(ctx context.Context, attempt uint, callOpts *options) error { waitTime := time.Duration(0) if attempt > 0 { waitTime = callOpts.backoffFunc(attempt) } if waitTime > 0 { timer := time.NewTimer(waitTime) select { case <-ctx.Done(): timer.Stop() return contextErrToGrpcErr(ctx.Err()) case <-timer.C: } } return nil } // isSafeRetry returns "true", if request is safe for retry with the given error. func isSafeRetry(lg *zap.Logger, err error, callOpts *options) bool { if isContextError(err) { return false } switch callOpts.retryPolicy { case repeatable: return isSafeRetryImmutableRPC(err) case nonRepeatable: return isSafeRetryMutableRPC(err) default: lg.Warn("unrecognized retry policy", zap.String("retryPolicy", callOpts.retryPolicy.String())) return false } } func isContextError(err error) bool { return grpc.Code(err) == codes.DeadlineExceeded || grpc.Code(err) == codes.Canceled } func contextErrToGrpcErr(err error) error { switch err { case context.DeadlineExceeded: return status.Errorf(codes.DeadlineExceeded, err.Error()) case context.Canceled: return status.Errorf(codes.Canceled, err.Error()) default: return status.Errorf(codes.Unknown, err.Error()) } } var ( defaultOptions = &options{ retryPolicy: nonRepeatable, max: 0, // disable backoffFunc: backoffLinearWithJitter(50*time.Millisecond /*jitter*/, 0.10), retryAuth: true, } ) // backoffFunc denotes a family of functions that control the backoff duration between call retries. // // They are called with an identifier of the attempt, and should return a time the system client should // hold off for. If the time returned is longer than the `context.Context.Deadline` of the request // the deadline of the request takes precedence and the wait will be interrupted before proceeding // with the next iteration. type backoffFunc func(attempt uint) time.Duration // withRetryPolicy sets the retry policy of this call. func withRetryPolicy(rp retryPolicy) retryOption { return retryOption{applyFunc: func(o *options) { o.retryPolicy = rp }} } // withMax sets the maximum number of retries on this call, or this interceptor. func withMax(maxRetries uint) retryOption { return retryOption{applyFunc: func(o *options) { o.max = maxRetries }} } // WithBackoff sets the `BackoffFunc `used to control time between retries. func withBackoff(bf backoffFunc) retryOption { return retryOption{applyFunc: func(o *options) { o.backoffFunc = bf }} } type options struct { retryPolicy retryPolicy max uint backoffFunc backoffFunc retryAuth bool } // retryOption is a grpc.CallOption that is local to clientv3's retry interceptor. type retryOption struct { grpc.EmptyCallOption // make sure we implement private after() and before() fields so we don't panic. applyFunc func(opt *options) } func reuseOrNewWithCallOptions(opt *options, retryOptions []retryOption) *options { if len(retryOptions) == 0 { return opt } optCopy := &options{} *optCopy = *opt for _, f := range retryOptions { f.applyFunc(optCopy) } return optCopy } func filterCallOptions(callOptions []grpc.CallOption) (grpcOptions []grpc.CallOption, retryOptions []retryOption) { for _, opt := range callOptions { if co, ok := opt.(retryOption); ok { retryOptions = append(retryOptions, co) } else { grpcOptions = append(grpcOptions, opt) } } return grpcOptions, retryOptions } // BackoffLinearWithJitter waits a set period of time, allowing for jitter (fractional adjustment). // // For example waitBetween=1s and jitter=0.10 can generate waits between 900ms and 1100ms. func backoffLinearWithJitter(waitBetween time.Duration, jitterFraction float64) backoffFunc { return func(attempt uint) time.Duration { return jitterUp(waitBetween, jitterFraction) } }<|fim▁end|>
} }
<|file_name|>application_key.go<|end_file_name|><|fim▁begin|>// Copyright 2021 Google Inc. // // Licensed under the Apache License, Version 2.0 (the "License"); you may not // use this file except in compliance with the License. You may obtain a copy of // the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, WITHOUT // WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the // License for the specific language governing permissions and limitations under // the License. package attest import ( "crypto" "crypto/ecdsa" "crypto/rsa" "fmt" "io" ) type key interface { close(tpmBase) error marshal() ([]byte, error) certificationParameters() CertificationParameters sign(tpmBase, []byte, crypto.PublicKey, crypto.SignerOpts) ([]byte, error) decrypt(tpmBase, []byte) ([]byte, error) blobs() ([]byte, []byte, error) } // Key represents a key which can be used for signing and decrypting // outside-TPM objects. type Key struct { key key pub crypto.PublicKey tpm tpmBase } // signer implements crypto.Signer returned by Key.Private(). type signer struct { key key pub crypto.PublicKey tpm tpmBase } // Sign signs digest with the TPM-stored private signing key. func (s *signer) Sign(r io.Reader, digest []byte, opts crypto.SignerOpts) ([]byte, error) { return s.key.sign(s.tpm, digest, s.pub, opts) } // Public returns the public key corresponding to the private signing key. func (s *signer) Public() crypto.PublicKey { return s.pub } // Algorithm indicates an asymmetric algorithm to be used. type Algorithm string // Algorithm types supported. const ( ECDSA Algorithm = "ECDSA" RSA Algorithm = "RSA" ) // KeyConfig encapsulates parameters for minting keys. type KeyConfig struct { // Algorithm to be used, either RSA or ECDSA. Algorithm Algorithm // Size is used to specify the bit size of the key or elliptic curve. For // example, '256' is used to specify curve P-256. Size int } // defaultConfig is used when no other configuration is specified. var defaultConfig = &KeyConfig{ Algorithm: ECDSA, Size: 256, } // Public returns the public key corresponding to the private key. func (k *Key) Public() crypto.PublicKey { return k.pub } // Private returns an object allowing to use the TPM-backed private key. // For now it implements only crypto.Signer. func (k *Key) Private(pub crypto.PublicKey) (crypto.PrivateKey, error) { switch pub.(type) { case *rsa.PublicKey: if _, ok := k.pub.(*rsa.PublicKey); !ok { return nil, fmt.Errorf("incompatible public key types: %T != %T", pub, k.pub) } case *ecdsa.PublicKey: if _, ok := k.pub.(*ecdsa.PublicKey); !ok { return nil, fmt.Errorf("incompatible public key types: %T != %T", pub, k.pub) } default: return nil, fmt.Errorf("unsupported public key type: %T", pub) } return &signer{k.key, k.pub, k.tpm}, nil }<|fim▁hole|>// Close unloads the key from the system. func (k *Key) Close() error { return k.key.close(k.tpm) } // Marshal encodes the key in a format that can be loaded with tpm.LoadKey(). // This method exists to allow consumers to store the key persistently and load // it as a later time. Users SHOULD NOT attempt to interpret or extract values // from this blob. func (k *Key) Marshal() ([]byte, error) { return k.key.marshal() } // CertificationParameters returns information about the key required to // verify key certification. func (k *Key) CertificationParameters() CertificationParameters { return k.key.certificationParameters() } // Blobs returns public and private blobs to be used by tpm2.Load(). func (k *Key) Blobs() (pub, priv []byte, err error) { return k.key.blobs() }<|fim▁end|>
<|file_name|>RFCParameters.py<|end_file_name|><|fim▁begin|>""" This module provides vCard parameters that are defined by the vCard 4.0 RFC. """ from vcard4.parameters import BaseParameter class Language(BaseParameter): """ A LANGUAGE parameter. Example: ROLE;LANGUAGE=tr:hoca """<|fim▁hole|> def __init__(self, language): super(Language, self).__init__('LANGUAGE', language) def __repr__(self): return 'Language(%r)' % self.value<|fim▁end|>
<|file_name|>__init__.py<|end_file_name|><|fim▁begin|>"""Support for monitoring OctoPrint 3D printers.""" from datetime import timedelta import logging from typing import cast from pyoctoprintapi import ApiError, OctoprintClient, PrinterOffline import voluptuous as vol from yarl import URL from homeassistant.config_entries import SOURCE_IMPORT, ConfigEntry from homeassistant.const import ( CONF_API_KEY, CONF_BINARY_SENSORS, CONF_HOST, CONF_MONITORED_CONDITIONS, CONF_NAME, CONF_PATH, CONF_PORT, CONF_SENSORS, CONF_SSL, Platform, ) from homeassistant.core import HomeAssistant from homeassistant.helpers.aiohttp_client import async_get_clientsession import homeassistant.helpers.config_validation as cv from homeassistant.helpers.entity import DeviceInfo from homeassistant.helpers.typing import ConfigType from homeassistant.helpers.update_coordinator import DataUpdateCoordinator, UpdateFailed from homeassistant.util import slugify as util_slugify import homeassistant.util.dt as dt_util from .const import DOMAIN _LOGGER = logging.getLogger(__name__) def has_all_unique_names(value): """Validate that printers have an unique name.""" names = [util_slugify(printer["name"]) for printer in value] vol.Schema(vol.Unique())(names) return value def ensure_valid_path(value): """Validate the path, ensuring it starts and ends with a /.""" vol.Schema(cv.string)(value) if value[0] != "/": value = f"/{value}" if value[-1] != "/": value += "/" return value PLATFORMS = [Platform.BINARY_SENSOR, Platform.SENSOR] DEFAULT_NAME = "OctoPrint" CONF_NUMBER_OF_TOOLS = "number_of_tools" CONF_BED = "bed" BINARY_SENSOR_TYPES = [ "Printing", "Printing Error", ] BINARY_SENSOR_SCHEMA = vol.Schema( { vol.Optional( CONF_MONITORED_CONDITIONS, default=list(BINARY_SENSOR_TYPES) ): vol.All(cv.ensure_list, [vol.In(BINARY_SENSOR_TYPES)]), vol.Optional(CONF_NAME, default=DEFAULT_NAME): cv.string, } ) SENSOR_TYPES = [ "Temperatures", "Current State", "Job Percentage", "Time Remaining", "Time Elapsed", ] SENSOR_SCHEMA = vol.Schema( { vol.Optional(CONF_MONITORED_CONDITIONS, default=list(SENSOR_TYPES)): vol.All( cv.ensure_list, [vol.In(SENSOR_TYPES)] ), vol.Optional(CONF_NAME, default=DEFAULT_NAME): cv.string, } ) CONFIG_SCHEMA = vol.Schema( vol.All( cv.deprecated(DOMAIN), { DOMAIN: vol.All( cv.ensure_list, [ vol.Schema( { vol.Required(CONF_API_KEY): cv.string, vol.Required(CONF_HOST): cv.string, vol.Optional(CONF_SSL, default=False): cv.boolean, vol.Optional(CONF_PORT, default=80): cv.port, vol.Optional(CONF_PATH, default="/"): ensure_valid_path, # Following values are not longer used in the configuration of the integration # and are here for historical purposes vol.Optional(CONF_NAME, default=DEFAULT_NAME): cv.string, vol.Optional( CONF_NUMBER_OF_TOOLS, default=0 ): cv.positive_int, vol.Optional(CONF_BED, default=False): cv.boolean, vol.Optional(CONF_SENSORS, default={}): SENSOR_SCHEMA, vol.Optional( CONF_BINARY_SENSORS, default={} ): BINARY_SENSOR_SCHEMA, } ) ], has_all_unique_names, ) }, ), extra=vol.ALLOW_EXTRA, ) async def async_setup(hass: HomeAssistant, config: ConfigType) -> bool: """Set up the OctoPrint component.""" if DOMAIN not in config: return True domain_config = config[DOMAIN] for conf in domain_config: hass.async_create_task( hass.config_entries.flow.async_init( DOMAIN, context={"source": SOURCE_IMPORT}, data={ CONF_API_KEY: conf[CONF_API_KEY], CONF_HOST: conf[CONF_HOST], CONF_PATH: conf[CONF_PATH], CONF_PORT: conf[CONF_PORT], CONF_SSL: conf[CONF_SSL], }, ) ) return True async def async_setup_entry(hass: HomeAssistant, entry: ConfigEntry) -> bool: """Set up OctoPrint from a config entry.""" if DOMAIN not in hass.data: hass.data[DOMAIN] = {} websession = async_get_clientsession(hass) client = OctoprintClient( entry.data[CONF_HOST], websession, entry.data[CONF_PORT], entry.data[CONF_SSL], entry.data[CONF_PATH], ) client.set_api_key(entry.data[CONF_API_KEY]) coordinator = OctoprintDataUpdateCoordinator(hass, client, entry, 30) await coordinator.async_config_entry_first_refresh() hass.data[DOMAIN][entry.entry_id] = {"coordinator": coordinator, "client": client} hass.config_entries.async_setup_platforms(entry, PLATFORMS) return True async def async_unload_entry(hass: HomeAssistant, entry: ConfigEntry) -> bool: """Unload a config entry.""" unload_ok = await hass.config_entries.async_unload_platforms(entry, PLATFORMS) if unload_ok: hass.data[DOMAIN].pop(entry.entry_id)<|fim▁hole|> return unload_ok class OctoprintDataUpdateCoordinator(DataUpdateCoordinator): """Class to manage fetching Octoprint data.""" config_entry: ConfigEntry def __init__( self, hass: HomeAssistant, octoprint: OctoprintClient, config_entry: ConfigEntry, interval: int, ) -> None: """Initialize.""" super().__init__( hass, _LOGGER, name=f"octoprint-{config_entry.entry_id}", update_interval=timedelta(seconds=interval), ) self.config_entry = config_entry self._octoprint = octoprint self._printer_offline = False self.data = {"printer": None, "job": None, "last_read_time": None} async def _async_update_data(self): """Update data via API.""" printer = None try: job = await self._octoprint.get_job_info() except ApiError as err: raise UpdateFailed(err) from err # If octoprint is on, but the printer is disconnected # printer will return a 409, so continue using the last # reading if there is one try: printer = await self._octoprint.get_printer_info() except PrinterOffline: if not self._printer_offline: _LOGGER.debug("Unable to retrieve printer information: Printer offline") self._printer_offline = True except ApiError as err: raise UpdateFailed(err) from err else: self._printer_offline = False return {"job": job, "printer": printer, "last_read_time": dt_util.utcnow()} @property def device_info(self) -> DeviceInfo: """Device info.""" unique_id = cast(str, self.config_entry.unique_id) configuration_url = URL.build( scheme=self.config_entry.data[CONF_SSL] and "https" or "http", host=self.config_entry.data[CONF_HOST], port=self.config_entry.data[CONF_PORT], path=self.config_entry.data[CONF_PATH], ) return DeviceInfo( identifiers={(DOMAIN, unique_id)}, manufacturer="OctoPrint", name="OctoPrint", configuration_url=str(configuration_url), )<|fim▁end|>
<|file_name|>test_compressed_int_list.py<|end_file_name|><|fim▁begin|># -*- coding: utf-8 -*- # Copyright 2017 GIG Technology NV # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # # @@license_version:1.3@@ from google.appengine.ext import db import mc_unittest from rogerthat.models import CompressedIntegerListExpando class TestCase(mc_unittest.TestCase): l = [1, 1, 1, 1, 0, 0, 0, 0, 1, 0, 0, 0, 1] def setUp(self, datastore_hr_probability=0): mc_unittest.TestCase.setUp(self, datastore_hr_probability=datastore_hr_probability) class MyModel(db.Expando): pass m = MyModel(key_name='test') m.test = TestCase.l m.put() def test_get_custom_prop(self): class MyModel(CompressedIntegerListExpando): _attribute_prefix = 'test' m = MyModel.get_by_key_name('test')<|fim▁hole|> self.assertListEqual(TestCase.l, m.test) dict_repr = db.to_dict(m) self.assertTrue(isinstance(dict_repr['test'], basestring)) def test_append(self): class MyModel(CompressedIntegerListExpando): _attribute_prefix = 'test' m = MyModel.get_by_key_name('test') m.test.append(5) m.put() m = MyModel.get_by_key_name('test') self.assertListEqual(TestCase.l + [5], m.test) def test_ljust(self): class MyModel(CompressedIntegerListExpando): _attribute_prefix = 'test' m = MyModel.get_by_key_name('test') print 'Before: %r' % m.test m.test.ljust(5, 0, 10) # will append 5 zeroes, and limit the number of entries to 10 print 'After: %r' % m.test expected = (TestCase.l + 5 * [0])[-10:] # [1, 0, 0, 0, 1, 0, 0, 0, 0, 0] print 'Expected: %r' % expected m.put() m = MyModel.get_by_key_name('test') self.assertListEqual(expected, m.test)<|fim▁end|>