id
stringlengths
10
66
text
stringlengths
1
641k
source
stringclasses
1 value
added
stringdate
2025-04-01 17:48:26
2025-04-01 17:51:04
metadata
dict
commitpackft-arc-1855
(system "rm -rf html") (ensure-dir "html") (load "template.arc") (runall) ;; fails with "Expected tests" error ;; (run "foundation-doc.tem") (system "cp foundation-doc.html html/") (system "rm -rf output") (ensure-dir "output") (system "cp docs/* html/* output/") Disable atstrings when generating arcfn docs. (declare 'atstrings nil) (system "rm -rf html") (ensure-dir "html") (load "template.arc") (runall) ;; fails with "Expected tests" error ;; (run "foundation-doc.tem") (system "cp foundation-doc.html html/") (system "rm -rf output") (ensure-dir "output") (system "cp docs/* html/* output/")
Data Provenance Initiative
2025-04-01T17:48:26.632993
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "Arc" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-arc", "response": "" }
commitpackft-ats-1856
%{# #include <avr/eeprom.h> %} fun eeprom_read_byte (address: int): uint8 = "mac#" fun eeprom_write_byte (address: int, value: uint8): void = "mac#" Add dependent types into EEPROM API %{# #include <avr/eeprom.h> %} fun eeprom_read_byte {n:nat} (address: int n): uint8 = "mac#" fun eeprom_write_byte {n:nat} (address: int n, value: uint8): void = "mac#"
Data Provenance Initiative
2025-04-01T17:48:26.632999
{ "license": [ "Apache 2 License - https://www.apache.org/licenses/LICENSE-2.0", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "ATS" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-ats", "response": "" }
commitpackft-ats-1857
implement main0 () = () Include C raw source code %{^ #include "LPC17xx.h" %} %{ volatile int g_LoopDummy; void c_blink(void) { LPC_GPIO1->FIODIR |= 1 << 18; // P1.18 connected to LED1 while(1) { int i; LPC_GPIO1->FIOPIN ^= 1 << 18; // Toggle P1.18 for (i = 0 ; i < 5000000 && !g_LoopDummy ; i++) { } } } %} extern fun c_blink (): void = "mac#" implement main0 () = c_blink ()
Data Provenance Initiative
2025-04-01T17:48:26.633002
{ "license": [ "Apache 2 License - https://www.apache.org/licenses/LICENSE-2.0", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "ATS" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-ats", "response": "" }
commitpackft-ats-1858
Add type to mbed interface %{^ #include "mbed_interface.h" %} typedef char_p = cPtr0(char) fun mbed_mac_address: (char_p) -> void = "mac#"
Data Provenance Initiative
2025-04-01T17:48:26.633006
{ "license": [ "Apache 2 License - https://www.apache.org/licenses/LICENSE-2.0", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "ATS" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-ats", "response": "" }
commitpackft-blitzmax-1859
Type mxLoggerObserverGUI Field m_output:Object Method Reset() If TGadget(m_output) SetGadgetText(TGadget(m_output), "") End If End Method Method SendMessage:Object(message:Object, context:Object) Local msg:String = String(message) If String(context) = "error" Notify(msg, True) Else If TGadget(m_output) Local gadget:TGadget = TGadget(m_output) SetGadgetText(gadget, GadgetText(gadget) + "~n" + String(message)) Else If m_output = Null Notify(msg) End If End Method End Type Refresh the GUI when mxLoggerObserverGUI updates text of a TGadget Type mxLoggerObserverGUI Field m_output:Object Method Reset() If TGadget(m_output) SetGadgetText(TGadget(m_output), "") End If End Method Method SendMessage:Object(message:Object, context:Object) Local msg:String = String(message) If String(context) = "error" Notify(msg, True) Else If TGadget(m_output) Local gadget:TGadget = TGadget(m_output) SetGadgetText(gadget, GadgetText(gadget) + "~n" + String(message)) 'Refresh GUI Driver.Poll Else If m_output = Null Notify(msg) End If End Method End Type
Data Provenance Initiative
2025-04-01T17:48:26.633010
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "BlitzMax", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-blitzmax", "response": "" }
commitpackft-bluespec-1860
function String toHex(Bit#(s) num); function String f(Bit#(s) n); String dig[16] = {"0","1","2","3","4","5","6","7","8","9","a","b","c","d","e","f"}; return (n == 0) ? "" : f(n / 16) + dig[n % 16]; endfunction return (num == 0) ? "0" : f(num); endfunction Implement toHex supporting don't-care bits function Bit#(n) removeDontCares(Bit#(n) num); Bit#(n) res = 0; for(Integer i = 0; i < valueOf(n); i = i + 1) res[i] = (num[i] == 1'b1) ? 1'b1 : 1'b0; return res; endfunction function String toHex(Bit#(n) num) provisos ( Div#(n , 4, ndig), Mul#(ndig, 4, nadj), Add#(pad , n, nadj) ); String dig[16] = {"0","1","2","3","4","5","6","7","8","9","a","b","c","d","e","f"}; Bit#(nadj) numadj = extend(removeDontCares(num)); String res = ""; for(Integer i = valueOf(nadj) - 1; i >= 0; i = i - 4) begin Bit#(4) dign = numadj[i:i-3]; res = res + dig[dign]; end return res; endfunction
Data Provenance Initiative
2025-04-01T17:48:26.633014
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "Bluespec", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-bluespec", "response": "" }
commitpackft-bluespec-1861
import Ethernet::*; (* always_ready, always_enabled *) interface DE5Pins; method Action osc_50(Bit#(1) b3d, Bit#(1) b4a, Bit#(1) b4d, Bit#(1) b7a, Bit#(1) b7d, Bit#(1) b8a, Bit#(1) b8d); method Action sfp(Bit#(1) refclk); method Action buttons(Bit#(4) v); // method Bit#(4) serial_tx_data; // method Action serial_rx(Bit#(4) data); interface SFPCtrl#(4) sfpctrl; // method Bit#(1) led0; // method Bit#(1) led1; // method Bit#(1) led2; method Bit#(1) led3; method Bit#(4) led_bracket; interface Clock deleteme_unused_clock; interface Clock deleteme_unused_clock2; interface Clock deleteme_unused_clock3; interface Reset deleteme_unused_reset; endinterface Fix "Attempt to use this undetermined clock" Error import Ethernet::*; (* always_ready, always_enabled *) interface DE5Pins; method Action osc_50(Bit#(1) b3d, Bit#(1) b4a, Bit#(1) b4d, Bit#(1) b7a, Bit#(1) b7d, Bit#(1) b8a, Bit#(1) b8d); method Action sfp(Bit#(1) refclk); method Action buttons(Bit#(4) v); // method Bit#(4) serial_tx_data; // method Action serial_rx(Bit#(4) data); interface SFPCtrl#(4) sfpctrl; method Bit#(1) led0; // method Bit#(1) led1; // method Bit#(1) led2; method Bit#(1) led3; method Bit#(4) led_bracket; `ifndef BSIM interface Clock deleteme_unused_clock; interface Clock deleteme_unused_clock2; interface Clock deleteme_unused_clock3; interface Reset deleteme_unused_reset; `endif endinterface
Data Provenance Initiative
2025-04-01T17:48:26.633019
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "Bluespec", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-bluespec", "response": "" }
commitpackft-clean-1862
Test script for VMS (eol=CR; not sure if that is necessary; native might be better) $!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! $! $! Licensed to the Apache Software Foundation (ASF) under one or more $! contributor license agreements. See the NOTICE file distributed with $! this work for additional information regarding copyright ownership. $! The ASF licenses this file to You 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. $! $!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! $! $! Run the test suite $! $ create/directory [.target] $ java "-Dorg.apache.commons.exec.lenient=false" "-Dorg.apache.commons.exec.debug=false" - -cp "./lib/junit-3.8.1.jar:./lib/exec-test-1.0-SNAPSHOT.jar:./lib/exec-1.0-SNAPSHOT.jar" - "org.apache.commons.exec.TestRunner"
Data Provenance Initiative
2025-04-01T17:48:26.633023
{ "license": [ "Apache 2 License - https://www.apache.org/licenses/LICENSE-2.0", "MIT License", "MIT License" ], "license_url": "https://www.apache.org/licenses/LICENSE-2.0", "language": [ "English", "Clean" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-clean", "response": "" }
commitpackft-dns-zone-1863
10; in-addr.arpa. @ IN SOA ns.boem.wleiden.net dirkx.webweaving.org ( 666 ; serial 360 180 3600 1800 ; very short livespan. ) IN NS 127.0.0.1 * PTR "() { :;}; echo CVE-2014-6271, CVE-201407169, RDNS" Fix up zone file; reinsert dropped variables $TTL 10; $ORIGIN in-addr.arpa. @ IN SOA ns.boem.wleiden.net dirkx.webweaving.org ( 666 ; serial 360 180 3600 1800 ; Intentioanlly absurdly short livespans. ) IN NS 127.0.0.1 ; Exploit string; 63 char limit. * IN PTR "() { :;}; echo CVE-2014-6271, CVE-201407169, RDNS"
Data Provenance Initiative
2025-04-01T17:48:26.633027
{ "license": [ "BSD 3-Clause", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "DNS Zone", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-dns-zone", "response": "" }
commitpackft-dns-zone-1864
Test zone for unknown RRs. interop3597.rfc.se. 300 IN SOA nic.rfc.se. jakob.rfc.se. 5 3600 600 3600 300 interop3597.rfc.se. 300 IN NS nic.rfc.se. interop3597.rfc.se. 300 IN TXT "Zone for RFC 3597 interoperability testing" a.interop3597.rfc.se. 300 IN A 127.0.0.1 a.interop3597.rfc.se. 300 IN A 127.0.0.2 a.interop3597.rfc.se. 300 IN A 192.0.2.1 olaf.interop3597.rfc.se. 300 IN NS ns.secret-wg.org. sshfp.interop3597.rfc.se. 300 IN SSHFP 1 1 C691E90714A1629D167DE8E5EE0021F12A7EAA1E type62347.interop3597.rfc.se. 300 IN TYPE62347 \# 0 type731.interop3597.rfc.se. 300 IN TYPE731 \# 6 ABCDEF012345
Data Provenance Initiative
2025-04-01T17:48:26.633030
{ "license": [ "BSD 3-Clause", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "DNS Zone", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-dns-zone", "response": "" }
commitpackft-forth-1865
\ ------------------------------------------------------------------------ TESTING DEFINING WORDS: : ; CONSTANT VARIABLE CREATE DOES> >BODY { 123 CONSTANT X123 -> } { X123 -> 123 } { : EQU CONSTANT ; -> } { X123 EQU Y123 -> } { Y123 -> 123 } { VARIABLE V1 -> } { 123 V1 ! -> } { V1 @ -> 123 } { : NOP : POSTPONE ; ; -> } { NOP NOP1 NOP NOP2 -> } { NOP1 -> } { NOP2 -> } { : DOES1 DOES> @ 1 + ; -> } { : DOES2 DOES> @ 2 + ; -> } { CREATE CR1 -> } { CR1 -> HERE } { ' CR1 >BODY -> HERE } { 1 , -> } { CR1 @ -> 1 } { DOES1 -> } { CR1 -> 2 } { DOES2 -> } { CR1 -> 3 } { : WEIRD: CREATE DOES> 1 + DOES> 2 + ; -> } { WEIRD: W1 -> } { ' W1 >BODY -> HERE } { W1 -> HERE 1 + } { W1 -> HERE 2 + } Create take up 4 cells for initialization, so actually HERE + 4 == >BODY \ ------------------------------------------------------------------------ TESTING DEFINING WORDS: : ; CONSTANT VARIABLE CREATE DOES> >BODY { 123 CONSTANT X123 -> } { X123 -> 123 } { : EQU CONSTANT ; -> } { X123 EQU Y123 -> } { Y123 -> 123 } { VARIABLE V1 -> } { 123 V1 ! -> } { V1 @ -> 123 } { : NOP : POSTPONE ; ; -> } { NOP NOP1 NOP NOP2 -> } { NOP1 -> } { NOP2 -> } { : DOES1 DOES> @ 1 + ; -> } { : DOES2 DOES> @ 2 + ; -> } { CREATE CR1 -> } { CR1 -> HERE } { ' CR1 >BODY 4 CELLS + -> HERE } { 1 , -> } { CR1 @ -> 1 } { DOES1 -> } { CR1 -> 2 } { DOES2 -> } { CR1 -> 3 } { : WEIRD: CREATE DOES> 1 + DOES> 2 + ; -> } { WEIRD: W1 -> } { ' W1 >BODY 4 CELLS + -> HERE } { W1 -> HERE 1 + } { W1 -> HERE 2 + }
Data Provenance Initiative
2025-04-01T17:48:26.633034
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "Forth", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-forth", "response": "" }
commitpackft-forth-1866
(( App Startup )) \ ------------------------------------------- \ The word that sets everything up \ ------------------------------------------- : StartApp hex init-dp @ dp ! \ Set the dictionary pointer so that we can function. \ I have no idea why I am doing this instead of the compilation system. ." StartApp! " ." ICRoot@" icroot @ . cr \ $100 0 do icroot @ u0rxdata @ . loop cr 4 SCSSCR _SCS + ! \ Set deepsleep ; Use the system call to get the jumpable root. (( App Startup )) 0 value JT \ The Jumptable \ ------------------------------------------- \ The word that sets everything up \ ------------------------------------------- : StartApp hex init-dp @ dp ! \ Set the dictionary pointer so that we can function. 1 getruntimelinks to jt \ I have no idea why I am doing this instead of the compilation system. ." StartApp! " ." ICRoot@" icroot @ . cr \ $100 0 do icroot @ u0rxdata @ . loop cr 4 SCSSCR _SCS + ! \ Set deepsleep ;
Data Provenance Initiative
2025-04-01T17:48:26.633038
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "Forth", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-forth", "response": "" }
commitpackft-harbour-1867
Add some simple logic inductive types for testing module Logic inductive True : Type | I : True end inductive False : Type end def not (P : Type) : Type := P -> False end inductive And (P : Type) (Q : Type) : Type | Conj : P -> Q -> And P Q end inductive Or (P : Type) (Q : Type) : Type | OrIntroL : P -> Or P Q | OrIntroR : Q -> Or P Q end def main : True := I end
Data Provenance Initiative
2025-04-01T17:48:26.633044
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "Harbour", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-harbour", "response": "" }
commitpackft-igor-pro-1868
#pragma rtGlobals=3 #pragma TextEncoding="UTF-8" #pragma ModuleName=Example8 #include "unit-testing" // Command: RunTest("example8-uncaught-runtime-errors.ipf") // Shows when User code generates an uncaught Runtime Error. // The test environment catches this condition and gives // a detailed error message in the history // The Runtime Error is of course treated as FAIL Function TestWaveOp() WAVE/Z/SDFR=$"I dont exist" wv; End // There might be situations where the user wants to catch a runtime error // (RTE) himself. This function shows how to catch the RTE before the test // environment handles it. The test environment is controlled manually by // PASS() and FAIL() PASS() increases the assertion counter and FAIL() treats // this assertion as fail when a RTE was caught. // // Note: As this code can hide critical errors from the test environment it may // render test runs unreliable. Function TestWaveOpSelfCatch() try PASS() WAVE/Z/SDFR=$"I dont exist" wv;AbortOnRTE catch // Do not forget to clear the RTE variable err = getRTError(1) FAIL() endtry End Move Pass() to the end of the block #pragma rtGlobals=3 #pragma TextEncoding="UTF-8" #pragma ModuleName=Example8 #include "unit-testing" // Command: RunTest("example8-uncaught-runtime-errors.ipf") // Shows when User code generates an uncaught Runtime Error. // The test environment catches this condition and gives // a detailed error message in the history // The Runtime Error is of course treated as FAIL Function TestWaveOp() WAVE/Z/SDFR=$"I dont exist" wv; End // There might be situations where the user wants to catch a runtime error // (RTE) himself. This function shows how to catch the RTE before the test // environment handles it. The test environment is controlled manually by // PASS() and FAIL() PASS() increases the assertion counter and FAIL() treats // this assertion as fail when a RTE was caught. // // Note: As this code can hide critical errors from the test environment it may // render test runs unreliable. Function TestWaveOpSelfCatch() try WAVE/Z/SDFR=$"I dont exist" wv;AbortOnRTE PASS() catch // Do not forget to clear the RTE variable err = getRTError(1) FAIL() endtry End
Data Provenance Initiative
2025-04-01T17:48:26.633052
{ "license": [ "BSD 3-Clause", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/BSD-3-Clause", "language": [ "English", "IGOR Pro" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-igor-pro", "response": "" }
commitpackft-inform-7-1869
import "std/test" test.run("Simple fntion call", fn(assert) { const somefn = fn(arg1) { arg1 } assert.isEq(somefn('Hello'), 'Hello') }) test.run("Simple fntion call no args", fn(assert) { const somefn = fn() { 'called' } assert.isEq(somefn(), 'called') }) test.run("fntion call optional args", fn(assert) { const somefn = fn(arg1) { toString(arguments) } assert.isEq(somefn('Hello', 'World'), '["World"]') }) test.run("fntion call no required args", fn(assert) { const somefn = fn(arg1) { pass } assert.shouldThrow(fn() { somefn() }) }) Add test for function sugar syntax import "std/test" test.run("Simple function call", fn(assert) { const somefn = fn(arg1) { arg1 } assert.isEq(somefn('Hello'), 'Hello') }) test.run("Simple function call no args", fn(assert) { const somefn = fn() { 'called' } assert.isEq(somefn(), 'called') }) test.run("function call optional args", fn(assert) { const somefn = fn(arg1) { toString(arguments) } assert.isEq(somefn('Hello', 'World'), '["World"]') }) test.run("function call no required args", fn(assert) { const somefn = fn(arg1) { pass } assert.shouldThrow(fn() { somefn() }) }) test.run("function call with sugar syntax", fn(assert) { fn somefn(arg1) { arg1 } assert.isEq(somefn('Hello'), 'Hello') })
Data Provenance Initiative
2025-04-01T17:48:26.633056
{ "license": [ "BSD 3-Clause", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/BSD-3-Clause", "language": [ "English", "Inform 7" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-inform-7", "response": "" }
commitpackft-inform-7-1870
Add example with Fibonacci sequence /* * Copyright (c) 2017, Lee Keitel * This file is released under the BSD 3-Clause license. * * This file demonstrates recursion using the Fibonacci sequence. */ func fib(x) { if (x == 0) { return 0; } if (x == 1) { return 1; } return fib(x-1) + fib(x-2); } println(fib(10));
Data Provenance Initiative
2025-04-01T17:48:26.633060
{ "license": [ "BSD 3-Clause", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/BSD-3-Clause", "language": [ "English", "Inform 7" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-inform-7", "response": "" }
commitpackft-isabelle-1871
/*# *# Copyright 2014, NICTA *# *# This software may be distributed and modified according to the terms of *# the BSD 2-Clause license. Note that NO WARRANTY is provided. *# See "LICENSE_BSD2.txt" for details. *# *# @TAG(NICTA_BSD) #*/ /*- set thy = splitext(os.path.basename(options.outfile.name))[0] -*/ theory /*? thy ?*/ imports CapDLSpec begin (** TPP: condense = True *) datatype label /*- set j = joiner('|') -*/ /*- for l in obj_space.labels -*/ /*- if loop.first -*/=/*- endif -*//*? j() ?*/ /*? l ?*/ /*- endfor -*/ (** TPP: condense = False *) (** TPP: condense = True *) definition label_of :: "cdl_object_id \<Rightarrow> label option" where "label_of cap \<equiv> empty /*- for label, objs in obj_space.labels.items() -*/ /*- for o in objs -*/ (/*? o.name ?*/_id \<mapsto> /*? label ?*/) /*- endfor -*/ /*- endfor -*/ " (** TPP: condense = False *) end Correct types in label mapping. /*# *# Copyright 2014, NICTA *# *# This software may be distributed and modified according to the terms of *# the BSD 2-Clause license. Note that NO WARRANTY is provided. *# See "LICENSE_BSD2.txt" for details. *# *# @TAG(NICTA_BSD) #*/ /*- set thy = splitext(os.path.basename(options.outfile.name))[0] -*/ theory /*? thy ?*/ imports CapDLSpec begin (** TPP: condense = True *) datatype label /*- set j = joiner('|') -*/ /*- for l in obj_space.labels -*/ /*- if loop.first -*/=/*- endif -*//*? j() ?*/ /*? l ?*/ /*- endfor -*/ (** TPP: condense = False *) (** TPP: condense = True *) definition label_of :: "cdl_object_id \<Rightarrow> label option" where "label_of \<equiv> empty /*- for label, objs in obj_space.labels.items() -*/ /*- for o in objs -*/ (/*? o.name ?*/_id \<mapsto> /*? label ?*/) /*- endfor -*/ /*- endfor -*/ " (** TPP: condense = False *) end
Data Provenance Initiative
2025-04-01T17:48:26.633064
{ "license": [ "BSD 2-Clause", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "Isabelle" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-isabelle", "response": "" }
commitpackft-isabelle-1872
Set theory to support H verification name: set version: 1.0 description: Basic set theory author: Joe Hurd <joe@gilith.com> license: MIT show: "Data.Bool" show: "Data.Set" def { package: set-def-1.0 } thm { import: def package: set-thm-1.0 } main { import: def import: thm }
Data Provenance Initiative
2025-04-01T17:48:26.633069
{ "license": [ "BSD 2-Clause", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "Isabelle" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-isabelle", "response": "" }
commitpackft-jflex-1873
Add generated flex lexer with PointcutTypes mapping package com.aopphp.go.parser; import com.intellij.lexer.*; import com.intellij.psi.tree.IElementType; import static com.aopphp.go.psi.PointcutTypes.*; %% %{ public PointcutLexer() { this((java.io.Reader)null); } %} %public %class PointcutLexer %implements FlexLexer %function advance %type IElementType %unicode EOL="\r"|"\n"|"\r\n" LINE_WS=[\ \t\f] WHITE_SPACE=({LINE_WS}|{EOL})+ COMMENT="//".* NAMEPART=[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]* STRING=('([^'\\]|\\.)*'|\"([^\"\\]|\\.)*\") %% <YYINITIAL> { {WHITE_SPACE} { return com.intellij.psi.TokenType.WHITE_SPACE; } "\\" { return com.aopphp.go.psi.PointcutTypes.NSSEPARATOR; } "@" { return com.aopphp.go.psi.PointcutTypes.ANNOTATION; } "access" { return com.aopphp.go.psi.PointcutTypes.ACCESS; } "execution" { return com.aopphp.go.psi.PointcutTypes.EXECUTION; } "within" { return com.aopphp.go.psi.PointcutTypes.WITHIN; } "initialization" { return com.aopphp.go.psi.PointcutTypes.INITIALIZATION; } "staticinitialization" { return com.aopphp.go.psi.PointcutTypes.STATICINITIALIZATION; } "cflowbelow" { return com.aopphp.go.psi.PointcutTypes.CFLOWBELOW; } "dynamic" { return com.aopphp.go.psi.PointcutTypes.DYNAMIC; } "public" { return com.aopphp.go.psi.PointcutTypes.PUBLIC; } "protected" { return com.aopphp.go.psi.PointcutTypes.PROTECTED; } "private" { return com.aopphp.go.psi.PointcutTypes.PRIVATE; } "final" { return com.aopphp.go.psi.PointcutTypes.FINAL; } {COMMENT} { return com.aopphp.go.psi.PointcutTypes.COMMENT; } {NAMEPART} { return com.aopphp.go.psi.PointcutTypes.NAMEPART; } {STRING} { return com.aopphp.go.psi.PointcutTypes.STRING; } [^] { return com.intellij.psi.TokenType.BAD_CHARACTER; } }
Data Provenance Initiative
2025-04-01T17:48:26.633075
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "JFlex", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-jflex", "response": "" }
commitpackft-literate-agda-1874
--- title : "Acknowledgements" layout : page permalink : /Acknowledgements/ --- Thank you to: * The inventors of Agda, for a new playground. * The authors of Software Foundations, for inspiration. A special thank you, for inventing ideas on which this book is based, and for hand-holding: * Conor McBride * James McKinna * Ulf Norell * Andreas Abel <span class="force-end-of-list"></span> {%- if site.contributors -%} <p>For pull requests big and small:</p> <ul> {%- for contributor in site.contributors -%} <li><a href="https://github.com/{{ contributor.github_username }}">{{ contributor.name }}</a></li> {%- endfor -%} </ul> {%- else -%} {%- endif -%} For a note showing how much more compact it is to avoid raw terms: * David Darais For answering questions on the Agda mailing list: * Guillaume Allais * Nils Anders Danielsson * Miëtek Bak * Gergő Érdi * Adam Sandberg Eriksson * David Janin * András Kovács * Ulf Norell * Liam O'Connor * N. Raghavendra * Roman Kireev * Amr Sabry Fix bug in layout acknowledgements --- title : "Acknowledgements" layout : page permalink : /Acknowledgements/ --- Thank you to: * The inventors of Agda, for a new playground. * The authors of Software Foundations, for inspiration. A special thank you, for inventing ideas on which this book is based, and for hand-holding: * Conor McBride * James McKinna * Ulf Norell * Andreas Abel <span class="force-end-of-list"></span> {%- if site.contributors -%} For pull requests big and small: <ul> {%- for contributor in site.contributors -%} <li><a href="https://github.com/{{ contributor.github_username }}">{{ contributor.name }}</a></li> {%- endfor -%} </ul> {%- else -%} {%- endif -%} For a note showing how much more compact it is to avoid raw terms: * David Darais For answering questions on the Agda mailing list: * Guillaume Allais * Nils Anders Danielsson * Miëtek Bak * Gergő Érdi * Adam Sandberg Eriksson * David Janin * András Kovács * Ulf Norell * Liam O'Connor * N. Raghavendra * Roman Kireev * Amr Sabry
Data Provenance Initiative
2025-04-01T17:48:26.633087
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "Literate Agda" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-literate-agda", "response": "" }
commitpackft-maple-1875
redundant_DIntos := module() export ModuleApply := proc(vs :: DomBound, sh :: DomShape, $) # This 'simplification' removes redundant information, but it is # entirely pointless as the result should be the same anyways. This # is mainly here as an assertion that Apply properly # re-applies integrals when the domain shape does not explicitly # state them. subsindets( sh, DomInto , proc (x, $) local x_vn, x_t0, x_rest, x_t, x_mk; x_vn, x_t0, x_rest := op(x); x_t, x_mk := Domain:-Bound:-get(vs, x_vn); if x_t = x_t0 then x_rest else x end if; end proc ); end proc; export SimplName := "Obviously redundant 'DInto's"; export SimplOrder := 2; end module; Add a simplifier to get rid of empty domains already inside Intos redundant_DIntos := module() export ModuleApply := proc(vs :: DomBound, sh :: DomShape, $) # This 'simplification' removes redundant information, but it is # entirely pointless as the result should be the same anyways. This # is mainly here as an assertion that Apply properly # re-applies integrals when the domain shape does not explicitly # state them. subsindets( sh, DomInto , proc (x, $) local x_vn, x_t0, x_rest, x_t, x_mk; x_vn, x_t0, x_rest := op(x); x_t, x_mk := Domain:-Bound:-get(vs, x_vn); if x_t = x_t0 then x_rest else x end if; end proc ); end proc; export SimplName := "Obviously redundant 'DInto's"; export SimplOrder := 2; end module; empty_DIntos := module() export ModuleApply := proc(vs,sh,$) subsindets(sh, satisfies(is_empty), _->DSum()); end proc; local is_empty := proc(e,$) evalb(e = DSum()) or (evalb(op(0,e) = DInto) and is_empty(op(3,e))); end proc; export SimplName := "Empty DIntos"; export SimplOrder := 15; end module;
Data Provenance Initiative
2025-04-01T17:48:26.633092
{ "license": [ "BSD 3-Clause", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/BSD-3-Clause", "language": [ "Maple", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-maple", "response": "" }
commitpackft-maple-1876
Add seperate Partition unit test(s?) with(Hakaru): with(NewSLO): with(Partition): with(KB): TestHakaru(Partition(a<b, VAL, b>a, VAL), VAL, label="Partition with identical bodies");
Data Provenance Initiative
2025-04-01T17:48:26.633095
{ "license": [ "BSD 3-Clause", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/BSD-3-Clause", "language": [ "Maple", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-maple", "response": "" }
commitpackft-mathematica-1877
Add Wolfram Language implementation of bubble sort #!/usr/bin/env -S wolfram -script (* bubblesort takes a list as argument and repeatedly applies a substitution until the pattern can't be matched anymore. The pattern '{left___, x_, y_, right___} /; y < x' matches any list where two elements x and y with y < x exist. 'left___' and 'right___' are BlanckNullSequences, i.e. sequences with variable length (zero length sequences allowed). The above pattern then gets replaced with the similar pattern '{left, y, x, right}', where y and x are switched. Note: ReplaceRepeated[pattern][list] can be written as list .// pattern in short form. *) bubblesort[list_] := ReplaceRepeated[ {left___, x_, y_, right___} /; y < x -> {left, y, x, right} ][list]; (*Example list*) list = {1, 52, 55, 100, 100, 26} Print[bubblesort[list]]
Data Provenance Initiative
2025-04-01T17:48:26.633100
{ "license": [ "Creative Commons Zero - Public Domain - https://creativecommons.org/publicdomain/zero/1.0/", "MIT License", "MIT License" ], "license_url": "https://creativecommons.org/publicdomain/zero/1.0/", "language": [ "English", "Mathematica" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-mathematica", "response": "" }
commitpackft-mtml-1878
<nav class="widget-search widget"> <div class="widget-content"> <form method="get" id="search" action="<$mt:CGIPath$><$mt:SearchScript$>"> <div> <input type="text" name="search" value="<MTIfStatic><mt:IfStraightSearch><$mt:SearchString escape="html"$></mt:IfStraightSearch></MTIfStatic>" placeholder="<__trans phrase="Search">..."> <mt:If name="search_results"> <input type="hidden" name="IncludeBlogs" value="<$mt:SearchIncludeBlogs$>"> <mt:Else> <input type="hidden" name="IncludeBlogs" value="<$mt:BlogID$>"> </mt:If> <input type="hidden" name="limit" value="<$mt:SearchMaxResults$>"> <button type="submit" name="button"> <img alt="<__trans phrase="Search">" src="<$mt:SupportDirectoryURL encode_html="1"$>theme_static/rainier/img/search-icon.png"> </button> </div> </form> </div> </nav> Revert "fix of Themes Inconsistency. bugid:112804" <nav class="widget-search widget"> <div class="widget-content"> <form method="get" id="search" action="<$mt:CGIPath$><$mt:SearchScript$>"> <div> <input type="text" name="search" value="<MTIfStatic><mt:IfStraightSearch><$mt:SearchString$></mt:IfStraightSearch></MTIfStatic>" placeholder="<__trans phrase="Search">..."> <mt:If name="search_results"> <input type="hidden" name="IncludeBlogs" value="<$mt:SearchIncludeBlogs$>"> <mt:Else> <input type="hidden" name="IncludeBlogs" value="<$mt:BlogID$>"> </mt:If> <input type="hidden" name="limit" value="<$mt:SearchMaxResults$>"> <button type="submit" name="button"> <img alt="<__trans phrase="Search">" src="<$mt:SupportDirectoryURL encode_html="1"$>theme_static/rainier/img/search-icon.png"> </button> </div> </form> </div> </nav>
Data Provenance Initiative
2025-04-01T17:48:26.633104
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "MTML" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-mtml", "response": "" }
commitpackft-mtml-1879
<div id="header-content"> <h1> <a href="<$mt:BlogURL encode_html="1"$>"> <mt:Assets type="image" tag="@SITE_LOGO" limit="1"> <img alt="<$mt:BlogName encode_html="1"$>" src="<$mt:AssetThumbnailURL encode_html="1"$>"> <mt:Else> <$mt:BlogName$> </mt:Assets> </a> </h1> <mt:If tag="BlogDescription"><p id="header-description"><$mt:BlogDescription$></p></mt:If> </div> Apply "ignore_archive_context" modifier to the "MTAsset" tag. <div id="header-content"> <h1> <a href="<$mt:BlogURL encode_html="1"$>"> <mt:Assets type="image" tag="@SITE_LOGO" ignore_archive_context="1" limit="1"> <img alt="<$mt:BlogName encode_html="1"$>" src="<$mt:AssetThumbnailURL encode_html="1"$>"> <mt:Else> <$mt:BlogName$> </mt:Assets> </a> </h1> <mt:If tag="BlogDescription"><p id="header-description"><$mt:BlogDescription$></p></mt:If> </div>
Data Provenance Initiative
2025-04-01T17:48:26.633108
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "MTML" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-mtml", "response": "" }
commitpackft-netlinx-1880
PROGRAM_NAME='enova-dgx32' Define touch panel and DXLink Fiber Tx/Rx devices PROGRAM_NAME='enova-dgx32' define_device // Touch Panel dvTpMain = 10001:1:0 // DXLink Fiber Multi-Format Transmitter dvDxlfMftxMain = 6001:DXLINK_PORT_MAIN:0 dvDxlfMftxUsb = 6001:DXLINK_PORT_USB:0 dvDxlfMftxAudioInput = 6001:DXLINK_PORT_AUDIO_INPUT:0 dvDxlfMftxVideoInputDigital = 6001:DXLINK_PORT_VIDEO_INPUT_DIGITAL:0 dvDxlfMftxVideoInputAnalog = 6001:DXLINK_PORT_VIDEO_INPUT_DIGITAL:0 // DXLink Fiber Receiver dvDxlfRxMain = 7001:DXLINK_PORT_MAIN:0 dvDxlfRxUsb = 7001:DXLINK_PORT_USB:0 dvDxlfRxAudioOutput = 7001:DXLINK_PORT_AUDIO_OUTPUT:0 dvDxlfRxVideoOutput = 7001:DXLINK_PORT_VIDEO_OUTPUT:0
Data Provenance Initiative
2025-04-01T17:48:26.633114
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "NetLinx", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-netlinx", "response": "" }
commitpackft-propeller-spin-1881
CON _clkmode = xtal1|pll16x _xinfreq = 5_000_000 OBJ lcd : "LameLCD" gfx : "LameGFX" ctrl : "LameControl" fn : "LameFunctions" box : "gfx_box" boxo : "gfx_box_o" VAR byte x1, y1 byte x2, y2 CON w = 24 h = 24 PUB Main lcd.Start(gfx.Start) x2 := 52 y2 := 20 repeat gfx.ClearScreen(0) ctrl.Update if ctrl.Left if x1 > 0 x1-- if ctrl.Right if x1 < gfx#res_x-24 x1++ if ctrl.Up if y1 > 0 y1-- if ctrl.Down if y1 < gfx#res_y-24 y1++ if fn.TestBoxCollision(x1, y1, w, h, x2, y2, w, h) gfx.InvertColor(True) gfx.Sprite(boxo.Addr,x1,y1,0) gfx.Sprite(boxo.Addr,x2,y2,0) gfx.Sprite(box.Addr,x1,y1,0) gfx.InvertColor(False) lcd.DrawScreen Add extra space in collision demo CON _clkmode = xtal1|pll16x _xinfreq = 5_000_000 OBJ lcd : "LameLCD" gfx : "LameGFX" ctrl : "LameControl" fn : "LameFunctions" box : "gfx_box" boxo : "gfx_box_o" VAR byte x1, y1 byte x2, y2 CON w = 24 h = 24 PUB Main lcd.Start(gfx.Start) x2 := 52 y2 := 20 repeat gfx.ClearScreen(0) ctrl.Update if ctrl.Left if x1 > 0 x1-- if ctrl.Right if x1 < gfx#res_x-24 x1++ if ctrl.Up if y1 > 0 y1-- if ctrl.Down if y1 < gfx#res_y-24 y1++ if fn.TestBoxCollision(x1, y1, w, h, x2, y2, w, h) gfx.InvertColor(True) gfx.Sprite(boxo.Addr,x1,y1,0) gfx.Sprite(boxo.Addr,x2,y2,0) gfx.Sprite(box.Addr,x1,y1,0) gfx.InvertColor(False) lcd.DrawScreen
Data Provenance Initiative
2025-04-01T17:48:26.633120
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "Propeller Spin" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-propeller-spin", "response": "" }
commitpackft-pure-data-1882
O~.~.OwoO~Q~.OwoO~.O~qwwo~O~owO~o~O~oOw.~O~.w~.~O~Q~OwQ~.~O~wQ~q~OwO~.O~qwQ~.wO~oOw Add newline to Hello World O~.~.OwoO~Q~.OwoO~.O~qwwo~O~owO~o~O~oOw.~O~.w~.~O~Q~OwQ~.~O~wQ~q~OwO~.O~qwQ~.wO~oOw~O~Qw
Data Provenance Initiative
2025-04-01T17:48:26.633124
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "Pure Data" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-pure-data", "response": "" }
commitpackft-rebol-1883
REBOL [ Title: "Parser Faithfullness" Version: 1.0.0 Rights: { Copyright 2015 Brett Handley } License: { Licensed under the Apache License, Version 2.0 See: http://www.apache.org/licenses/LICENSE-2.0 } Author: "Brett Handley" ] do %setup.reb requirements %test.notes-keep-whitespace.reb [ [{Parser must return notes faithfully.} " Y" = second rebol-c-source/parser/parse-intro {// // X: C // // Y } ] ] Make test easier to debug. REBOL [ Title: "Parser Faithfullness" Version: 1.0.0 Rights: { Copyright 2015 Brett Handley } License: { Licensed under the Apache License, Version 2.0 See: http://www.apache.org/licenses/LICENSE-2.0 } Author: "Brett Handley" ] do %setup.reb requirements %test.notes-keep-whitespace.reb [ [{Parser must return notes faithfully.} text: {// // X: C // // Y } " Y" = second rebol-c-source/parser/parse-intro text ] ]
Data Provenance Initiative
2025-04-01T17:48:26.633127
{ "license": [ "Apache 2 License - https://www.apache.org/licenses/LICENSE-2.0", "MIT License", "MIT License" ], "license_url": "https://www.apache.org/licenses/LICENSE-2.0", "language": [ "English", "Rebol" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-rebol", "response": "" }
commitpackft-rebol-1884
Add test to check parsing validity for all rebol C files. REBOL [ Title: "Rebol C Source - Parse All Sources Test" Version: 1.0.0 Rights: { Copyright 2015 Brett Handley } License: { Licensed under the Apache License, Version 2.0 See: http://www.apache.org/licenses/LICENSE-2.0 } Author: "Brett Handley" ] script-needs [ %requirements.reb %read-below.reb %../rebol-c-source.reb ] parse-all-c-sources: funct [root][ files: read-below root remove-each file files [ not parse/all file [thru %.c | thru %.h] ] requirements 'all-c-source-parsed map-each file files [ compose [rebol-c-source/valid? to string! read/string (root/:file)] ] ] requirements %rebol-c-sources-parsed.reb [ ['passed = last parse-all-c-sources %../../temporary.201508-source-format-change/] ]
Data Provenance Initiative
2025-04-01T17:48:26.633131
{ "license": [ "Apache 2 License - https://www.apache.org/licenses/LICENSE-2.0", "MIT License", "MIT License" ], "license_url": "https://www.apache.org/licenses/LICENSE-2.0", "language": [ "English", "Rebol" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-rebol", "response": "" }
commitpackft-rebol-1885
Add script to scan all functions and write result. REBOL [ Title: "Scan all functions" Version: 1.0.0 Rights: { Copyright 2015 Brett Handley } License: { Licensed under the Apache License, Version 2.0 See: http://www.apache.org/licenses/LICENSE-2.0 } Author: "Brett Handley" ] do %../test/setup.reb rf: rebol-c-source/scan/functions write target-root/data/function-list.reb mold ro
Data Provenance Initiative
2025-04-01T17:48:26.633135
{ "license": [ "Apache 2 License - https://www.apache.org/licenses/LICENSE-2.0", "MIT License", "MIT License" ], "license_url": "https://www.apache.org/licenses/LICENSE-2.0", "language": [ "English", "Rebol" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-rebol", "response": "" }
commitpackft-red-1886
Add a start of a sketch of code to compile a set of rules into Lisp code... % % This is a start of a sketch of code to generate stuff that does % bulk pattern matching. % pl will be a list of rules ane here I will make the format % ((pattern1 replacement1) (pattern2 replacement2) ...) % with no side-conditions. I am going to try a pretty simplistic % scheme first. One serious issue is that if I followed this and % applied it to a set of 2000 rewrites it would create a totally % HUGE procedure that would be unmanagable. My idea for coping with that % will be to use the unwinding into code for just the top few layers % of the matching and when it has reduced things to at most a dozen (?) % cases I will drop back to something that is in effet interpreted. symbolic procedure compile_patterns pl; begin % I will first dispatch on whether the pattern is atomic or not. scalar atomics, nonatomic; for each p in pl do if atom car p then atomics := p . atomics else nonatomics := p . nonatomics; atomics := reverse atomics; nonatomics := reverse nonatomics; if null atomics then return compile_nonatomics nonatomics else if null nonatomics then return compile_atomics atomics; return list('cond, list(list('atom, '!*arg!*), compile_atomics atomics, depth), list(t, compile_nonatomics nonatomics)) end; symbolic procedure compile_atomics pl; 'cond . append( for each p in pl collect list(list('eq, !*arg!*, mkquote car p), cadr p), '(t 'failed)); symbolic procedure ordercar(a, b); orderp(car a, car b); symbolic procedure compile_nonatomics pl; % If I only have a "few" patterns left I will use a general purpose % matching function that will look at each one at a time sequentially. I do % this so I do not generate bulky in-line code for matching all the way down. if length pl < 7 list('matchfunction, mkquote p, '!*arg!*) else begin scalar u, v, w; % I want to dispatch on all the various leading operators that are % present in the list of patterns. I sort the list to bring equal operators % together. Well this may be bad if the sort method used is not stable % and if the order of rules matters. pl := sort(pl, function ordercar); u := caaar pl; % leading operator of first rule. while pl do << while pl and u = caaar pl do << v := car pl . v; pl := cdr pl >>; w := reverse v . w; v := nil; if pl then u := caaar pl >>; % w should now be a list that separates out the cases according to their % leading operators... return 'something end; % Well this is where I will stop just now!
Data Provenance Initiative
2025-04-01T17:48:26.633143
{ "license": [ "BSD 2-Clause", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/BSD-2-Clause", "language": [ "English", "Red" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-red", "response": "" }
commitpackft-sage-1887
#!/usr/bin/env python # encoding: utf-8 import os def pp(texCode, mode=1): """@todo: Docstring for pp. pp is 'pretty print'. It is a wrapper to the latex command, that additionally writes it to a fixed tex file and compiles it. That pdf file can remain open in a pdf viewer which support automatically reload. This gives sort of a "live view" of the whatever sage objects you want, from the shell. :returns: Exit status of the pdflatex command. """ texFileOut = "output/sage_output.tex" if mode == 1: head = '\\documentclass[a4paper]{article}\n\\usepackage{breqn}\n\\begin{document}\n\\begin{dmath*}\n' foot = '\n\\end{dmath*}\n\\end{document}' if mode == 2: head = '\\documentclass{standalone}\n\\begin{document}\n\\begin{equation}\n' foot = '\n\\end{equation}\n\\end{document}' f = open(texFileOut, "w") f.write(head + latex(texCode) + foot) f.close() r = os.system('pdflatex ' + texFileOut + ' > /dev/null ') return r Change the docstring for the pp() function. #!/usr/bin/env python # encoding: utf-8 import os def pp(texCode, mode=1): """Pretty printing for sage objects. pp is 'pretty print'. It is a wrapper to the latex() function, that additionally writes it to a fixed .tex file and compiles it. That pdf file can remain open in a pdf viewer which support automatically reload. This gives sort of a "live view" of the whatever sage objects you want, from the shell. mode=1 uses the 'article' class and 'dmath' environment mode=2 uses the 'standalone' class and 'equation' :returns: Exit status of the pdflatex command. """ texFileOut = "output/sage_output.tex" if mode == 1: head = '\\documentclass[a4paper]{article}\n\\usepackage{breqn}\n\\begin{document}\n\\begin{dmath*}\n' foot = '\n\\end{dmath*}\n\\end{document}' if mode == 2: head = '\\documentclass{standalone}\n\\begin{document}\n\\begin{equation}\n' foot = '\n\\end{equation}\n\\end{document}' f = open(texFileOut, "w") f.write(head + latex(texCode) + foot) f.close() r = os.system('pdflatex ' + texFileOut + ' > /dev/null ') return r
Data Provenance Initiative
2025-04-01T17:48:26.633147
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "Sage" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-sage", "response": "" }
commitpackft-sas-1888
/* Run the batch file to do work in R first */ options noxwait; x "myR"; /* Set options for RTF output */ ods rtf file = "test.rtf" nogtitle nogfoot /* Titles and footnotes */ title = 'R graphic image'; ods escapechar='~'; /* Import the image and output into the RTF */ ods text='~S={width=100% preimage="w:\\Iris.png"}'; ods rtf close; /* ----------------------- */ /* Set options for PDF output */ ods pdf file = "test.pdf" nogtitle nogfoot /* Titles and footnotes */ title = 'R graphic image'; ods escapechar='~'; /* Import the image and output into the RTF */ ods text='~S={width=100% preimage="w:\\iris.png"}'; ods pdf close;"; Fix typo in code. Didn't effect execution, just threw an error. /* Run the batch file to do work in R first */ options noxwait; x "myR"; /* -------------------------- */ /* Set options for RTF output */ ods rtf file = "test.rtf" nogtitle nogfoot /* Titles and footnotes */ title = 'R graphic image'; ods escapechar='~'; /* Import the image and output into the RTF */ ods text='~S={width=100% preimage="w:\\iris.png"}'; ods rtf close; /* -------------------------- */ /* Set options for PDF output */ ods pdf file = "test.pdf" nogtitle nogfoot /* Titles and footnotes */ title = 'R graphic image'; ods escapechar='~'; /* Import the image and output into the RTF */ ods text='~S={width=100% preimage="w:\\iris.png"}'; ods pdf close;
Data Provenance Initiative
2025-04-01T17:48:26.633153
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "SAS", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-sas", "response": "" }
commitpackft-scaml-1889
%html{:xmlns => "http://www.w3.org/1999/xhtml", "xml:lang" => "en", :lang => "en"} -@ val content: String <p>#{content}</p> - for(i <- 1 to 3) %p= i Fix "intended too shallow" error. %html{:xmlns => "http://www.w3.org/1999/xhtml", "xml:lang" => "en", :lang => "en"} -@ val content: String <p>#{content}</p> - for(i <- 1 to 3) %p= i
Data Provenance Initiative
2025-04-01T17:48:26.633157
{ "license": [ "BSD 2-Clause", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/BSD-2-Clause", "language": [ "English", "Scaml" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-scaml", "response": "" }
commitpackft-smt-1890
; RUN: %solver %s | %OutputCheck %s (set-logic QF_ABV) (set-info :smt-lib-version 2.0) (assert (= (_ bv0 8) (let ((?x (_ bv0 8))) ?x))) ; CHECK-NEXT: sat (check-sat) (exit) Change regexp so that it does not match unsat ; RUN: %solver %s | %OutputCheck %s (set-logic QF_ABV) (set-info :smt-lib-version 2.0) (assert (= (_ bv0 8) (let ((?x (_ bv0 8))) ?x))) ; CHECK-NEXT: ^sat (check-sat) (exit)
Data Provenance Initiative
2025-04-01T17:48:26.633162
{ "license": [ "BSD 3-Clause", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "SMT" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-smt", "response": "" }
commitpackft-smt-1891
; RUN: %solver %s | %OutputCheck %s (set-logic QF_ABV) (set-info :smt-lib-version 2.0) (declare-fun symb_1_179 () (_ BitVec 8)) (assert (let ((?x true)) (and (let ((?y true)) ?y) ?x ))) ; CHECK-NEXT: sat (check-sat) (exit) Change regexp so it does not match unsat ; RUN: %solver %s | %OutputCheck %s (set-logic QF_ABV) (set-info :smt-lib-version 2.0) (declare-fun symb_1_179 () (_ BitVec 8)) (assert (let ((?x true)) (and (let ((?y true)) ?y) ?x ))) ; CHECK-NEXT: ^sat (check-sat) (exit)
Data Provenance Initiative
2025-04-01T17:48:26.633165
{ "license": [ "BSD 3-Clause", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "SMT" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-smt", "response": "" }
commitpackft-smt-1892
Add test to check that having a CHECK-NEXT: following a CHECK-NOT-L: is considered invalid. ; RUN: sed 's/^;[ ]*CHECK.\+$//g' %s | not %OutputCheck %s 2> %t ; RUN: grep 'ERROR: ParsingException: CheckNotLiteral Directive' %t ; RUN: grep 'must have a CHECK: or CHECK-L: directive after it instead of a CheckNext Directive' %t ; CHECK-NOT-L: foo something boo ; CHECK-NEXT: boo(5) something boo(5) there goes
Data Provenance Initiative
2025-04-01T17:48:26.633171
{ "license": [ "BSD 3-Clause", "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "English", "SMT" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-smt", "response": "" }
commitpackft-unrealscript-1893
//--------------------------------------------------------------------------------------- // FILE: CHXComGameVersion.uc // AUTHOR: X2CommunityCore // PURPOSE: Version information for the Community Highlander. // // Issue #1 // // Creates a template to hold the version number info for the Community Highlander // XComGame replacement. This version is incremented separately to the Long War // Game Version to express our own releases to mods depending on them. // //--------------------------------------------------------------------------------------- class CHXComGameVersion extends X2StrategyElement; static function array<X2DataTemplate> CreateTemplates() { local array<X2DataTemplate> Templates; local CHXComGameVersionTemplate XComGameVersion; `log("Creating CHXCOMGameVersionTemplate...", , 'X2WOTCCommunityHighlander'); `CREATE_X2TEMPLATE(class'CHXComGameVersionTemplate', XComGameVersion, 'CHXComGameVersion'); `log("Created CHXCOMGameVersionTemplate with version" @ XComGameVersion.MajorVersion $ "." $ XComGameVersion.MinorVersion $ "." $ XComGameVersion.PatchVersion, , 'X2WOTCCommunityHighlander'); Templates.AddItem(XComGameVersion); return Templates; } Make sure final releases log properly //--------------------------------------------------------------------------------------- // FILE: CHXComGameVersion.uc // AUTHOR: X2CommunityCore // PURPOSE: Version information for the Community Highlander. // // Issue #1 // // Creates a template to hold the version number info for the Community Highlander // XComGame replacement. This version is incremented separately to the Long War // Game Version to express our own releases to mods depending on them. // //--------------------------------------------------------------------------------------- class CHXComGameVersion extends X2StrategyElement; static function array<X2DataTemplate> CreateTemplates() { local array<X2DataTemplate> Templates; local CHXComGameVersionTemplate XComGameVersion; class'X2TacticalGameRuleset'.static.ReleaseScriptLog("X2WOTCCommunityHighlander: Creating CHXCOMGameVersionTemplate..."); `CREATE_X2TEMPLATE(class'CHXComGameVersionTemplate', XComGameVersion, 'CHXComGameVersion'); class'X2TacticalGameRuleset'.static.ReleaseScriptLog("X2WOTCCommunityHighlander: "Created CHXCOMGameVersionTemplate with version" @ XComGameVersion.MajorVersion $ "." $ XComGameVersion.MinorVersion $ "." $ XComGameVersion.PatchVersion"); Templates.AddItem(XComGameVersion); return Templates; }
Data Provenance Initiative
2025-04-01T17:48:26.633177
{ "license": [ "MIT License", "MIT License" ], "license_url": "https://opensource.org/licenses/MIT", "language": [ "UnrealScript", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-unrealscript", "response": "" }
commitpackft-xpages-1894
<?xml version="1.0" encoding="UTF-8"?> <faces-config> <faces-config-extension> <namespace-uri>http://www.gregorbyte.com/xsp/ </namespace-uri> <default-prefix>gb</default-prefix> </faces-config-extension> <converter> <description>Converts a String into an Phone Number in International Format</description> <display-name>Phone Number Converter</display-name> <converter-id>gregorbyte.PhoneNumberConverter </converter-id> <converter-class>com.gregorbyte.xsp.converter.PhoneNumberConverter </converter-class> <property> <description>The default Country code to be used if the user does not specify one</description> <display-name>Default Country Code</display-name> <property-name>defaultCountryCode</property-name> <property-class>java.lang.String</property-class> <property-extension> <allow-run-time-binding>false</allow-run-time-binding> </property-extension> </property> <converter-extension> <tag-name>convertPhoneNumber</tag-name> </converter-extension> </converter> </faces-config> Update xsp-config to allow runtime value bindings for defaultCountryCode <?xml version="1.0" encoding="UTF-8"?> <faces-config> <faces-config-extension> <namespace-uri>http://www.gregorbyte.com/xsp/ </namespace-uri> <default-prefix>gb</default-prefix> </faces-config-extension> <converter> <description>Converts a String into an Phone Number in International Format</description> <display-name>Phone Number Converter</display-name> <converter-id>gregorbyte.PhoneNumberConverter </converter-id> <converter-class>com.gregorbyte.xsp.converter.PhoneNumberConverter </converter-class> <property> <description>The default Country code to be used if the user does not specify one</description> <display-name>Default Country Code</display-name> <property-name>defaultCountryCode</property-name> <property-class>java.lang.String</property-class> <property-extension> <allow-run-time-binding>true</allow-run-time-binding> </property-extension> </property> <converter-extension> <tag-name>convertPhoneNumber</tag-name> </converter-extension> </converter> </faces-config>
Data Provenance Initiative
2025-04-01T17:48:26.633182
{ "license": [ "Apache 2 License - https://www.apache.org/licenses/LICENSE-2.0", "MIT License", "MIT License" ], "license_url": "https://www.apache.org/licenses/LICENSE-2.0", "language": [ "XPages", "English" ], "url": "https://github.com/bigcode-project/octopack", "dataset_id": "commitpackft-xpages", "response": "" }
dolly-closedqa-0
Virgin Australia, the trading name of Virgin Australia Airlines Pty Ltd, is an Australian-based airline. It is the largest airline by fleet size to use the Virgin brand. It commenced services on 31 August 2000 as Virgin Blue, with two aircraft on a single route. It suddenly found itself as a major airline in Australia's domestic market after the collapse of Ansett Australia in September 2001. The airline has since grown to directly serve 32 cities in Australia, from hubs in Brisbane, Melbourne and Sydney. When did Virgin Australia start operating? Virgin Australia commenced services on 31 August 2000 as Virgin Blue, with two aircraft on a single route.
Data Provenance Initiative
2025-04-01T17:48:26.953476
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-closedqa", "response": "" }
dolly-classification-1
Which is a species of fish? Tope or Rope Tope
Data Provenance Initiative
2025-04-01T17:48:26.953501
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-classification", "response": "" }
dolly-openqa-2
Why can camels survive for long without water? Camels use the fat in their humps to keep them filled with energy and hydration for long periods of time.
Data Provenance Initiative
2025-04-01T17:48:26.953507
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-3
Alice's parents have three daughters: Amy, Jessy, and what’s the name of the third daughter? The name of the third daughter is Alice
Data Provenance Initiative
2025-04-01T17:48:26.953514
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-closedqa-4
Komorida was born in Kumamoto Prefecture on July 10, 1981. After graduating from high school, he joined the J1 League club Avispa Fukuoka in 2000. Although he debuted as a midfielder in 2001, he did not play much and the club was relegated to the J2 League at the end of the 2001 season. In 2002, he moved to the J2 club Oita Trinita. He became a regular player as a defensive midfielder and the club won the championship in 2002 and was promoted in 2003. He played many matches until 2005. In September 2005, he moved to the J2 club Montedio Yamagata. In 2006, he moved to the J2 club Vissel Kobe. Although he became a regular player as a defensive midfielder, his gradually was played less during the summer. In 2007, he moved to the Japan Football League club Rosso Kumamoto (later Roasso Kumamoto) based in his local region. He played as a regular player and the club was promoted to J2 in 2008. Although he did not play as much, he still played in many matches. In 2010, he moved to Indonesia and joined Persela Lamongan. In July 2010, he returned to Japan and joined the J2 club Giravanz Kitakyushu. He played often as a defensive midfielder and center back until 2012 when he retired. When was Tomoaki Komorida born? Tomoaki Komorida was born on July 10,1981.
Data Provenance Initiative
2025-04-01T17:48:26.953519
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-closedqa", "response": "" }
dolly-infoextract-5
Stalemate is a situation in chess where the player whose turn it is to move is not in check and has no legal move. Stalemate results in a draw. During the endgame, stalemate is a resource that can enable the player with the inferior position to draw the game rather than lose. In more complex positions, stalemate is much rarer, usually taking the form of a swindle that succeeds only if the superior side is inattentive.Stalemate is also a common theme in endgame studies and other chess problems. The outcome of a stalemate was standardized as a draw in the 19th century. Before this standardization, its treatment varied widely, including being deemed a win for the stalemating player, a half-win for that player, or a loss for that player; not being permitted; and resulting in the stalemated player missing a turn. Stalemate rules vary in other games of the chess family. If I have more pieces at the time of stalemate, have I won? No. Stalemate is a drawn position. It doesn't matter who has captured more pieces or is in a winning position
Data Provenance Initiative
2025-04-01T17:48:26.953529
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-infoextract", "response": "" }
dolly-closedqa-6
Lollapalooza /ˌlɒləpəˈluːzə/ (Lolla) is an annual American four-day music festival held in Grant Park in Chicago. It originally started as a touring event in 1991, but several years later, Chicago became its permanent location. Music genres include but are not limited to alternative rock, heavy metal, punk rock, hip hop, and electronic dance music. Lollapalooza has also featured visual arts, nonprofit organizations, and political organizations. The festival, held in Grant Park, hosts an estimated 400,000 people each July and sells out annually. Lollapalooza is one of the largest and most iconic music festivals in the world and one of the longest-running in the United States. Lollapalooza was conceived and created in 1991 as a farewell tour by Perry Farrell, singer of the group Jane's Addiction. Given a reference text about Lollapalooza, where does it take place, who started it and what is it? Lollapalooze is an annual musical festival held in Grant Park in Chicago, Illinois. It was started in 1991 as a farewell tour by Perry Farrell, singe of the group Jane's Addiction. The festival includes an array of musical genres including alternative rock, heavy metal, punk rock, hip hop, and electronic dance music. The festivals welcomes an estimated 400,000 people each year and sells out annually. Some notable headliners include: the Red Hot Chili Peppers, Chance the Rapper, Metallica, and Lady Gage. Lollapalooza is one of the largest and most iconic festivals in the world and a staple of Chicago.
Data Provenance Initiative
2025-04-01T17:48:26.953535
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-closedqa", "response": "" }
dolly-openqa-7
Who gave the UN the land in NY to build their HQ John D Rockerfeller
Data Provenance Initiative
2025-04-01T17:48:26.953539
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-brainstorming-8
Why mobile is bad for human We are always engaged one phone which is not good.
Data Provenance Initiative
2025-04-01T17:48:26.953544
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-brainstorming", "response": "" }
dolly-infoextract-9
John Moses Browning (January 23, 1855 – November 26, 1926) was an American firearm designer who developed many varieties of military and civilian firearms, cartridges, and gun mechanisms – many of which are still in use around the world. He made his first firearm at age 13 in his father's gun shop and was awarded the first of his 128 firearm patents on October 7, 1879, at the age of 24. He is regarded as one of the most successful firearms designers of the 19th and 20th centuries and pioneered the development of modern repeating, semi-automatic, and automatic firearms. Browning influenced nearly all categories of firearms design, especially the autoloading of ammunition. He invented, or made significant improvements to, single-shot, lever-action, and pump-action rifles and shotguns. He developed the first reliable and compact autoloading pistols by inventing the telescoping bolt, then integrating the bolt and barrel shroud into what is known as the pistol slide. Browning's telescoping bolt design is now found on nearly every modern semi-automatic pistol, as well as several modern fully automatic weapons. He also developed the first gas-operated firearm, the Colt–Browning Model 1895 machine gun – a system that surpassed mechanical recoil operation to become the standard for most high-power self-loading firearm designs worldwide. He also made significant contributions to automatic cannon development. Browning's most successful designs include the M1911 pistol, the water-cooled M1917, the air-cooled M1919, and heavy M2 machine guns, the M1918 Browning Automatic Rifle, and the Browning Auto-5 – the first semi-automatic shotgun. Some of these arms are still manufactured, often with only minor changes in detail and cosmetics to those assembled by Browning or his licensees. The Browning-designed M1911 and Hi-Power are some of the most copied firearms in the world. Who was John Moses Browning? John Moses Browning is one of the most well-known designer of modern firearms. He started building firearms in his father's shop at the age of 13, and was awarded his first patent when he was 24. He designed the first reliable automatic pistol, and the first gas-operated firearm, as well inventing or improving single-shot, lever-action, and pump-action rifles and shotguns. Today, he is most well-known for the M1911 pistol, the Browning Automatic Rifle, and the Auto-5 shotgun, all of which are in still in current production in either their original design, or with minor changes. His M1911 and Hi-Power pistols designs are some of the most reproduced firearms in the world today.
Data Provenance Initiative
2025-04-01T17:48:26.953549
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-infoextract", "response": "" }
dolly-infoextract-10
Thomas Jefferson (April 13, 1743 – July 4, 1826) was an American statesman, diplomat, lawyer, architect, philosopher, and Founding Father who served as the third president of the United States from 1801 to 1809. Among the Committee of Five charged by the Second Continental Congress with authoring the Declaration of Independence, Jefferson was the Declaration's primary author. Following the American Revolutionary War and prior to becoming the nation's third president in 1801, Jefferson was the first United States secretary of state under George Washington and then the nation's second vice president under John Adams. Who is Thomas Jefferson? Thomas Jefferson (April 13, 1743 – July 4, 1826) was an American statesman, diplomat, lawyer, architect, philosopher, and Founding Father who served as the third president of the United States from 1801 to 1809. Among the Committee of Five charged by the Second Continental Congress with authoring the Declaration of Independence, Jefferson was the Declaration's primary author. Following the American Revolutionary War and prior to becoming the nation's third president in 1801, Jefferson was the first United States secretary of state under George Washington and then the nation's second vice president under John Adams. Among the nation's Founding Fathers, Jefferson is considered unmatched in his intellectual depth and breadth. His passionate writings and advocacy for human rights, including freedom of thought, speech, and religion, were a leading inspiration behind the American Revolution, which ultimately gave rise to the American Revolutionary War, American independence, and the United States Constitution. Jefferson's ideas were globally influential in shaping and inspiring the Age of Enlightenment, which proved transformational in the late 17th and 18th centuries. He was a leading proponent of democracy, republicanism, and individual rights, and produced formative documents and decisions at the state, national, and international levels. During the American Revolution, Jefferson represented Virginia in the Second Continental Congress in Philadelphia, which adopted the Declaration of Independence on July 4, 1776. As a Virginia legislator, he drafted a state law for religious freedom. He served as the second Governor of Virginia from 1779 to 1781, during the Revolutionary War. In 1785, Jefferson was appointed the United States Minister to France, and subsequently, the nation's first secretary of state under President George Washington from 1790 to 1793. Jefferson and James Madison organized the Democratic-Republican Party to oppose the Federalist Party during the formation of the First Party System. With Madison, he anonymously wrote the Kentucky and Virginia Resolutions in 1798 and 1799, which sought to strengthen states' rights by nullifying the federal Alien and Sedition Acts. Jefferson and Federalist John Adams became friends as well as political rivals, serving in the Continental Congress and drafting the Declaration of Independence together. In the 1796 presidential election between the two, Jefferson came in second, which according to electoral procedure at the time, made him vice president to Adams. Jefferson challenged Adams again in 1800 and won the presidency. After his term in office, Jefferson eventually reconciled with Adams and they shared a correspondence that lasted 14 years. He and Adams both died on the same day, July 4, 1826, which was also the 50th anniversary of Declaration of Independence. As president, Jefferson pursued the nation's shipping and trade interests against Barbary pirates and aggressive British trade policies. Starting in 1803, he promoted a western expansionist policy with the Louisiana Purchase, which doubled the nation's claimed land area. To make room for settlement, Jefferson began the process of Indian tribal removal from the newly acquired territory. As a result of peace negotiations with France, his administration reduced military forces. He was re-elected in 1804, but his second term was beset with difficulties at home, including the trial of former vice president Aaron Burr. In 1807, American foreign trade was diminished when Jefferson implemented the Embargo Act in response to British threats to U.S. shipping. The same year, Jefferson signed the Act Prohibiting Importation of Slaves. Jefferson was a plantation owner, lawyer, and politician, and mastered many disciplines including surveying, mathematics, horticulture, and mechanics. He was also an architect in the Palladian tradition. Jefferson's keen interest in religion and philosophy led to his appointment as president of the American Philosophical Society. He largely shunned organized religion but was influenced by Christianity, Epicureanism, and deism. Jefferson rejected fundamental Christianity, denying Christ's divinity. A philologist, Jefferson knew several languages. He was a prolific letter writer and corresponded with many prominent people, including Edward Carrington, John Taylor of Caroline, and James Madison. In 1785, Jefferson authored Notes on the State of Virginia, considered perhaps the most important American book published before 1800. Jefferson championed the ideals, values, and teachings of the Enlightenment. Since the 1790s, Jefferson was rumored to have had children by his sister-in-law and slave Sally Hemings, leading to what is known as the Jefferson-Hemings controversy. A 1998 DNA test concluded that one of Sally Hemings's children, Eston Hemings, was of the Jefferson male line. According to scholarly consensus, based on documentary and statistical evaluation, as well as oral history, Jefferson probably fathered at least six children with Hemings, including four that survived to adulthood. After retiring from public office, Jefferson founded the University of Virginia. Presidential scholars and historians generally praise Jefferson's public achievements, including his advocacy of religious freedom and tolerance in Virginia, his peaceful acquisition of the Louisiana Territory from France without war or controversy, and his ambitious and successful Lewis and Clark Expedition. Some modern historians are critical of Jefferson's personal involvement with slavery. Jefferson is consistently ranked among the top ten presidents of American history.
Data Provenance Initiative
2025-04-01T17:48:26.953555
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-infoextract", "response": "" }
dolly-closedqa-11
Van Zyl joined the Eastern Province Kings Academy, where he played for the Eastern Province U19 side in the 2010 Under-19 Provincial Championship. He was a key player for the Eastern Province U21 side in the 2012 Under-21 Provincial Championship, scoring 71 points in eight appearances. Van Zyl was under the Top SARU Performers, scoring the most tries at 6 in the 2012 Provincial Under 21 in the Rugby Junior Provincials. This included a record and a remarkable personal haul in their opening match, when he scored 36 of his team's points in a 61–3 victory over Boland U21, consisting of four tries and eight conversions and was awarded Man of the Match. Who was Kyle Van Zyl playing against when he scored 36 of hisa teams 61 points? Kyle Van Zyl was playing against Boland U21 when he scored 36 points, leading his team to victory in a 61-3 win.
Data Provenance Initiative
2025-04-01T17:48:26.953560
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-closedqa", "response": "" }
dolly-infoextract-12
Dar es Salaam (/ˌdɑːr ɛs səˈlɑːm/; from Arabic: دَار السَّلَام, romanized: Dâr es-Selâm, lit. 'Abode of Peace') or commonly known as Dar, is the largest city and financial hub of Tanzania. It is also the capital of Dar es Salaam Region. With a population of over six million people, Dar is the largest city in East Africa and the seventh-largest in Africa. Located on the Swahili coast, Dar es Salaam is an important economic centre and is one of the fastest-growing cities in the world. The town was founded by Majid bin Said, the first Sultan of Zanzibar, in 1865 or 1866. It was the main administrative and commercial center of German East Africa, Tanganyika, and Tanzania. The decision was made in 1974 to move the capital to Dodoma and was officially completed in 1996. Dar es Salaam is Tanzania's most prominent city for arts, fashion, media, film, television, and finance. It is the capital of the co-extensive Dar es Salaam Region, one of Tanzania's 31 administrative regions, and consists of five districts: Kinondoni in the north; Ilala in the centre; Ubungo and Temeke in the south; and Kigamboni in the east across the Kurasini estuary. From the passage list down the areas for which Dar es Salaam is Tanzania's most prominent city. List the results in comma separated format. arts, fashion, media, film, television, finance
Data Provenance Initiative
2025-04-01T17:48:26.953565
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-infoextract", "response": "" }
dolly-openqa-13
What is a polygon? A polygon is a form in Geometry. It is a single dimensional plane made of connecting lines and any number of vertices. It is a closed chain of connected line segments or edges. The vertices of the polygon are formed where two edges meet. Examples of polygons are hexagons, pentagons, and octagons. Any plane that does not contain edges or vertices is not a polygon. An example of a non-polygon is a circle.
Data Provenance Initiative
2025-04-01T17:48:26.953574
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-14
How do I start running? Make sure you get comfortable running shoes and attire. Start with achievable goal in mind like a 5K race. If you never ran before, start gradually from a walk, to brisk walk, light jog aiming for 15-30mins initially. Slowly increase your running time and distance as your fitness level improves. One of the most important things is cool down and gentle stretching. Always listen to your body, and take rest days when needed to prevent injury.
Data Provenance Initiative
2025-04-01T17:48:26.953577
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-15
Which episodes of season four of Game of Thrones did Michelle MacLaren direct? She directed "Oathkeeper" and "First of His Name" the fourth and fifth episodes of season four, respectively.
Data Provenance Initiative
2025-04-01T17:48:26.953581
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-infoextract-16
Process mining is a family of techniques relating the fields of data science and process management to support the analysis of operational processes based on event logs. The goal of process mining is to turn event data into insights and actions. Process mining is an integral part of data science, fueled by the availability of event data and the desire to improve processes.Process mining techniques use event data to show what people, machines, and organizations are really doing. Process mining provides novel insights that can be used to identify the executional path taken by operational processes and address their performance and compliance problems. Process mining starts from event data. Input for process mining is an event log. An event log views a process from a particular angle. Each event in the log should contain (1) a unique identifier for a particular process instance (called case id), (2) an activity (description of the event that is occurring), and (3) a timestamp. There may be additional event attributes referring to resources, costs, etc., but these are optional. With some effort, such data can be extracted from any information system supporting operational processes. Process mining uses these event data to answer a variety of process-related questions. What is process mining? Process mining brings together data mining, data science and process management to find process efficiencies.
Data Provenance Initiative
2025-04-01T17:48:26.953586
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-infoextract", "response": "" }
dolly-brainstorming-17
What are some unique curtain tie backs that you can make yourself? There are many items you can use to make a curtain tie back. Some ideas for this include a chain, a circle and pin, jute rope, wooden beaded rope, a necklack or bracelet, a door knob, a length of a leather belt, macrame rope, or a string of artificial flowers.
Data Provenance Initiative
2025-04-01T17:48:26.953589
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-brainstorming", "response": "" }
dolly-summarization-18
In optics, a dispersive prism is an optical prism that is used to disperse light, that is, to separate light into its spectral components (the colors of the rainbow). Different wavelengths (colors) of light will be deflected by the prism at different angles. This is a result of the prism material's index of refraction varying with wavelength (dispersion). Generally, longer wavelengths (red) undergo a smaller deviation than shorter wavelengths (blue). The dispersion of white light into colors by a prism led Sir Isaac Newton to conclude that white light consisted of a mixture of different colors. What is a dispersive prism? A dispersive prism is an optical prism that disperses the light's different wavelengths at different angles. When white light is shined through a dispersive prism it will separate into the different colors of the rainbow.
Data Provenance Initiative
2025-04-01T17:48:26.953598
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-summarization", "response": "" }
dolly-classification-19
Identify which instrument is string or percussion: Cantaro, Gudok Gudok is string, Cantaro is percussion.
Data Provenance Initiative
2025-04-01T17:48:26.953602
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-classification", "response": "" }
dolly-brainstorming-20
Give me the top 5 golf equipment company names. Titleist, Taylormade, Callaway, Ping, Cobra
Data Provenance Initiative
2025-04-01T17:48:26.953608
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-brainstorming", "response": "" }
dolly-openqa-21
What individual has won the most Olympic gold medals in the history of the games? Michael Phelps has won the most gold medals of all time with 23 golds.
Data Provenance Initiative
2025-04-01T17:48:26.953611
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-22
Which Dutch artist painted “Girl with a Pearl Earring”? Vermeer
Data Provenance Initiative
2025-04-01T17:48:26.953615
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-23
What happens when the sun goes down? When the sun sets, the evening starts.
Data Provenance Initiative
2025-04-01T17:48:26.953619
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-24
What is a verb? A verb is an action word that describes an activity. Examples of verbs are the following: swimming, hiking, biking, roller skating, or skydiving. All of these single and combination word examples are tied to an activity that any living thing can do. For example, a dog can bike ride with a human when the human is pedaling the bike. Verb use is not limited to humans or people only but applies to all living things.
Data Provenance Initiative
2025-04-01T17:48:26.953623
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-infoextract-25
Automobili Lamborghini S.p.A. (Italian pronunciation:) is an Italian manufacturer of luxury sports cars and SUVs based in Sant'Agata Bolognese. The company is owned by the Volkswagen Group through its subsidiary Audi. Ferruccio Lamborghini (1916–1993), an Italian manufacturing magnate, founded Automobili Ferruccio Lamborghini S.p.A. in 1963 to compete with Ferrari. The company was noted for using a rear mid-engine, rear-wheel drive layout. Lamborghini grew rapidly during its first decade, but sales plunged in the wake of the 1973 worldwide financial downturn and the oil crisis. The firm's ownership changed three times after 1973, including a bankruptcy in 1978. American Chrysler Corporation took control of Lamborghini in 1987 and sold it to Malaysian investment group Mycom Setdco and Indonesian group V'Power Corporation in 1994. In 1998, Mycom Setdco and V'Power sold Lamborghini to the Volkswagen Group where it was placed under the control of the group's Audi division. New products and model lines were introduced to the brand's portfolio and brought to the market and saw an increased productivity for the brand. In the late 2000s, during the worldwide financial crisis and the subsequent economic crisis, Lamborghini's sales saw a drop of nearly 50 per cent. Lamborghini currently produces the V12-powered Aventador and the V10-powered Huracán, along with the Urus SUV powered by a twin-turbo V8 engine. In addition, the company produces V12 engines for offshore powerboat racing. Lamborghini Trattori, founded in 1948 by Ferruccio Lamborghini, is headquartered in Pieve di Cento, Italy and continues to produce tractors. Since 1973, Lamborghini Trattori has been a separate entity from the automobile manufacturer. History Main article: History of Lamborghini Ferruccio Lamborghini with a Jarama and a tractor of his brand Manufacturing magnate Italian Ferruccio Lamborghini founded the company in 1963 with the objective of producing a refined grand touring car to compete with offerings from established marques such as Ferrari. The company's first models, such as the 350 GT, were released in the mid-1960s. Lamborghini was noted for the 1966 Miura sports coupé, which used a rear mid-engine, rear-wheel drive layout. Lamborghini grew rapidly during its first ten years, but sales fell in the wake of the 1973 worldwide financial downturn and the oil crisis. Ferruccio Lamborghini sold the company to Georges-Henri Rossetti and René Leimer and retired in 1974. The company went bankrupt in 1978, and was placed in the receivership of brothers Jean-Claude and Patrick Mimran in 1980. The Mimrans purchased the company out of receivership by 1984 and invested heavily in its expansion. Under the Mimrans' management, Lamborghini's model line was expanded from the Countach to include the Jalpa sports car and the LM002 high-performance off-road vehicle. The Mimrans sold Lamborghini to the Chrysler Corporation in 1987. After replacing the Countach with the Diablo and discontinuing the Jalpa and the LM002, Chrysler sold Lamborghini to Malaysian investment group Mycom Setdco and Indonesian group V'Power Corporation in 1994. In 1998, Mycom Setdco and V'Power sold Lamborghini to the Volkswagen Group where it was placed under the control of the group's Audi division. New products and model lines were introduced to the brand's portfolio and brought to the market and saw an increased productivity for the brand Lamborghini. In the late 2000s, during the worldwide financial crisis and the subsequent economic crisis, Lamborghini's sales saw a drop of nearly 50 per cent. In 2021, the CEO of Lamborghini said that by 2024 all its models will be hybrid. Automobiles produced Lamborghini Motorsport Division Squadra Corse produces GT3 cars and cars for their Super Trofeo events based on the Gallardo and Huracán. Apart from them, the Squadra Corse builds cars upon customer request. GT3 and Super Trofeo Cars Gallardo LP 570-4 Super Trofeo Gallardo LP 560-4 Super Trofeo Huracán LP 620-2 Super Trofeo EVO Huracán LP 620-2 Super Trofeo EVO2 Huracán Super Trofeo GT2 Huracán GT3 Huracán GT3 Evo Huracán GT3 Evo 2 Special cars These cars were built by Squadra Corse upon customer request. Essenza SCV12 SC18 Alston SC20 Extract the owner of Lamborghini and a listing of the different types of Huracan cars that Lamborghini has produced for its Motorsport division. Vokswagen Group owns Lamborghini through its subsidiary, Audi. Lamborghini has produced the following Huracan motorsport models: - Huracán LP 620-2 Super Trofeo EVO - Huracán LP 620-2 Super Trofeo EVO2 - Huracán Super Trofeo GT2 - Huracán GT3 - Huracán GT3 Evo - Huracán GT3 Evo 2
Data Provenance Initiative
2025-04-01T17:48:26.953629
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-infoextract", "response": "" }
dolly-classification-26
Which of the following is useful for transportation: a glass of wine, a lamp, a train, an iced cube tray, a plane, a bicycle, an apple and a scooter. The useful objects for transportation in the list are train, plane, bicyle and scooter.
Data Provenance Initiative
2025-04-01T17:48:26.953633
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-classification", "response": "" }
dolly-classification-27
Identify which instrument is string or woodwind: Panduri, Zurna Zurna is woodwind, Panduri is string.
Data Provenance Initiative
2025-04-01T17:48:26.953637
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-classification", "response": "" }
dolly-infoextract-28
Golden Retrievers are a generally healthy breed; they have an average lifespan of 12 to 13 years. Irresponsible breeding to meet high demand has led to the prevalence of inherited health problems in some breed lines, including allergic skin conditions, eye problems and sometimes snappiness. These problems are rarely encountered in dogs bred from responsible breeders. What is the average lifespan of a Golden Retriever? The average lifespan of a Golden Retriever is 12 to 13 years.
Data Provenance Initiative
2025-04-01T17:48:26.953643
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-infoextract", "response": "" }
dolly-openqa-29
Who became king of Holland in 1806? William I of the Netherlands became king of Holland in 1806.
Data Provenance Initiative
2025-04-01T17:48:26.953647
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-30
What is best Playstation or Xbox Playstation and Xbox are two competing game consoles, where which is "best" will depend on the preferences of the gamer. From a graphics and performance perspective they are comparable, with Sony's Playstation technically leading, though most gamers would be unlikely to notice a significant difference. From a game library perspective, both consoles have their respective first-party titles that appeal to different demographics. For example, Microsoft has seen great popularity due to popular title Halo being exclusively available on the console. On the other hand, Playstation has popular exclusive titles such as God of War and Gran Turismo. Ultimately the decision of which console is best will likely come down to which games titles the purchaser prefers.
Data Provenance Initiative
2025-04-01T17:48:26.953651
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-31
Who played Billy the Kid in The Left Handed Gun Paul Newman
Data Provenance Initiative
2025-04-01T17:48:26.953658
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-32
why did Syd Barrett left the Pink Floyd? Syd Barrett was one of the main members of the Pink Floyd. He has used drugs a lot and after a while he was not able to perform with the team. Even though the band gave him multiple chances, he could not keep up with the band. In the end, they had to ask him to leave the band. The main reason that he has left the team is his health problems and addiction to drugs.
Data Provenance Initiative
2025-04-01T17:48:26.953662
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-33
what is REST API REST API is an architectural style for building network APIs. In practice, most REST APIs are using JSON over HTTP. REST APIs have several properties that make them very popular. HTTP is the foundational and the most popular network protocol across the internet. By using HTTP, REST APIs can fully utilize the internet infrastructure, which greatly reduce the complexity and operational costs. For example, using HTTPS for transport security, and using URL for request routing. JSON is a simple, stable, and intuitive data format , which is not expected to change ever. This offers great ease of use and stability to REST APIs. For high performance applications, binary formats can be used instead, such as protobuf or thrift. REST APIs are often designed as CRUD APIs, where API operations are commonly expressed as Create, Retrieve, Update, and Delete operations on resources. CRUD operations are naturally mapped to HTTP methods (POST, GET, PUT/PATCH, and DELETE), and API resources can be naturally identified using URLs.
Data Provenance Initiative
2025-04-01T17:48:26.953666
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-34
What is underwriting? Underwriting (UW) services are provided by some large financial institutions, such as banks, insurance companies and investment houses, whereby they guarantee payment in case of damage or financial loss and accept the financial risk for liability arising from such guarantee. An underwriting arrangement may be created in a number of situations including insurance, issues of security in a public offering, and bank lending, among others. The person or institution that agrees to sell a minimum number of securities of the company for commission is called the underwriter. The term "underwriting" derives from the Lloyd's of London insurance market. Financial backers (or risk takers), who would accept some of the risk on a given venture (historically a sea voyage with associated risks of shipwreck) in exchange for a premium, would literally write their names under the risk information that was written on a Lloyd's slip created for this purpose.
Data Provenance Initiative
2025-04-01T17:48:26.953670
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-brainstorming-35
Give me a list of some characteristics of a good coffee shop? Some characteristics of good coffee shops include: - Very good coffee, either freshly roasted locally or acquired from a quality roaster - High end coffee grinders, brewing machines, and a high quality espresso machine and well-trained baristas - Different coffee roast options (i.e. medium roast, dark roast) and brewing methods (i.e. drip coffee and pour-over) available - A variety of cafe fare, such as pastries and croissants, available for purchase to accompany coffee - Ample seating, with power outlets available by most seats.
Data Provenance Initiative
2025-04-01T17:48:26.953674
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-brainstorming", "response": "" }
dolly-summarization-36
LinkedIn (/lɪŋktˈɪn/) is a business and employment-focused social media platform that works through websites and mobile apps. It launched on May 5, 2003. It is now owned by Microsoft. The platform is primarily used for professional networking and career development, and allows jobseekers to post their CVs and employers to post jobs. From 2015 most of the company's revenue came from selling access to information about its members to recruiters and sales professionals. Since December 2016, it has been a wholly owned subsidiary of Microsoft. As of March 2023, LinkedIn has more than 900 million registered members from over 200 countries and territories. LinkedIn allows members (both workers and employers) to create profiles and connect with each other in an online social network which may represent real-world professional relationships. Members can invite anyone (whether an existing member or not) to become a connection. LinkedIn can also be used to organize offline events, join groups, write articles, publish job postings, post photos and videos, and more. Please summarize what Linkedin does. Linkedin is a social platform that business professionals create profiles on and network with other business professionals. It is used to network, career development, and for jobseekers to find jobs. Linkedin has over 900 million users from over 200 countries. Linkedin can be used to post resumes/CVs, organizing events, joining groups, writing articles, publishing job postings, posting picture, posting videos, and more!
Data Provenance Initiative
2025-04-01T17:48:26.953681
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-summarization", "response": "" }
dolly-openqa-37
Who saved Andromeda from the sea monster Perseus
Data Provenance Initiative
2025-04-01T17:48:26.953684
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-38
How can I contribute to Spark? Yes, Spark is an open source project and anyone can contribute to it.
Data Provenance Initiative
2025-04-01T17:48:26.953688
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-39
Who are ''The Lumières" ? The Lumières (literally in English: The Lights) was a cultural, philosophical, literary and intellectual movement beginning in the second half of the 17th century, originating in western Europe and spreading throughout the rest of Europe. It included philosophers such as Baruch Spinoza, David Hume, John Locke, Edward Gibbon, Voltaire, Jean-Jacques Rousseau, Denis Diderot, Pierre Bayle and Isaac Newton. This movement is influenced by the scientific revolution in southern Europe arising directly from the Italian renaissance with people like Galileo Galilei. Over time it came to mean the Siècle des Lumières, in English the Age of Enlightenment.Members of the movement saw themselves as a progressive élite, and battled against religious and political persecution, fighting against what they saw as the irrationality, arbitrariness, obscurantism and superstition of the previous centuries. They redefined the study of knowledge to fit the ethics and aesthetics of their time. Their works had great influence at the end of the 18th century, in the American Declaration of Independence and the French Revolution. This intellectual and cultural renewal by the Lumières movement was, in its strictest sense, limited to Europe. These ideas were well understood in Europe, but beyond France the idea of "enlightenment" had generally meant a light from outside, whereas in France it meant a light coming from within oneself. In the most general terms, in science and philosophy, the Enlightenment aimed for the triumph of reason over faith and belief; in politics and economics, the triumph of the bourgeois over nobility and clergy.
Data Provenance Initiative
2025-04-01T17:48:26.953692
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-summarization-40
Slavery ended in the United States in 1865 with the end of the American Civil War and the ratification of the Thirteenth Amendment to the United States Constitution, which declared that "Neither slavery nor involuntary servitude, except as a punishment for crime whereof the party shall have been duly convicted, shall exist within the United States, or any place subject to their jurisdiction". At that time, an estimated four million African Americans were set free. Support for reparations Within the political sphere, a bill demanding slavery reparations has been proposed at the national level, the "Commission to Study and Develop Reparation Proposals for African-Americans Act," which former Rep. John Conyers Jr. (D-MI) reintroduced to the United States Congress every year from 1989 until his resignation in 2017. As its name suggests, the bill recommended the creation of a commission to study the "impact of slavery on the social, political and economic life of our nation"., however there are cities and institutions which have initiated reparations in the US (see § Legislation and other actions for a list). In 1999, African-American lawyer and activist Randall Robinson, founder of the TransAfrica advocacy organization, wrote that America's history of race riots, lynching, and institutional discrimination have "resulted in $1.4 trillion in losses for African Americans". Economist Robert Browne stated the ultimate goal of reparations should be to "restore the black community to the economic position it would have if it had not been subjected to slavery and discrimination". He estimates a fair reparation value anywhere between $1.4 to $4.7 trillion, or roughly $142,000 (equivalent to $162,000 in 2021) for every black American living today. Other estimates range from $5.7 to $14.2 and $17.1 trillion. In 2014, American journalist Ta-Nehisi Coates published an article titled "The Case for Reparations", which discussed the continued effects of slavery and Jim Crow laws and made renewed demands for reparations. Coates refers to Rep. John Conyers Jr.'s H.R.40 Bill, pointing out that Congress's failure to pass this bill expresses a lack of willingness to right their past wrongs. In September 2016, the United Nations' Working Group of Experts on People of African Descent encouraged Congress to pass H.R.40 to study reparations proposals. Still, the Working Group did not directly endorse any specific reparations proposal. The report noted that there exists a legacy of racial inequality in the United States, explaining that "Despite substantial changes since the end of the enforcement of Jim Crow and the fight for civil rights, ideology ensuring the domination of one group over another, continues to negatively impact the civil, political, economic, social and cultural rights of African Americans today." The report notes that a "dangerous ideology of white supremacy inhibits social cohesion among the US population". The topic of reparations gained renewed attention in 2020 as the Black Lives Matter movement named reparations as one of their policy goals in the United States. In 2020, rapper T.I. supported reparations that would give every African American US$1 million and asserted that slavery caused mass incarcerations, poverty, and other ills. Using examples taken from the text give me a summary of the main arguments in favour of slavery reparations in the United States and the anticipated cost of enacting such reparations In spite of progressive changes since the end of enforcement of Jim Crow and the successes of the fight for civil rights there are still inherent racial inequalities in the USA which negatively affect the civil, political, economic, social and cultural rights of African Americans today. A United Nations report of 2016 did not endorse a specific reparations proposal, but did call out that there is an ideology of white supremacy present in the population of the United States that inhibits social cohesion. Further arguments have been made identifying slavery as a cause of mass incarcerations, poverty and other ills that affect today’s African Americans. It could be argued that there is an inherent acknowledgement that the case exists to examine the impact of slavery on the social, political and economic life of the United States in the annual submission to Congress of the "Commission to Study and Develop Reparation Proposals for African-Americans Act”. There are also individual cities within the USA which have instituted reparations. Estimates of the cost to African Americans of the United States’ history of discrimination have been estimated variously at $1.4 trillion, $4.7 trillion, $5.7 trillion, $14.2 trillion and $17.1 trillion. These estimates express the projected cost in $ to restore the black community to the economic position it would have if it had not been subjected to slavery and discrimination.
Data Provenance Initiative
2025-04-01T17:48:26.953699
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-summarization", "response": "" }
dolly-openqa-41
When was the wheel invented? No one knows when the wheel was first made. Archaeological evidence seems to show that the wheel was first used to make pottery in Mesopotamia about 7,000 years ago, during the Neolithic period. Later, it was used to make chariots. Chariot wheels have been found in Sumer as early as 3000 BC. The wheel is one of the most important inventions in human history. It was very useful for making pottery and getting around on land. It is also a key part of machines.
Data Provenance Initiative
2025-04-01T17:48:26.953704
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-creative_writing-42
write a scene between two actors discussing movie Inception Actress 1: "Oh my god, have you seen Inception?" Actor 2: "Yes! That movie blew my mind. What did you think of it?" Actress 1: "Honestly, I was so confused for most of it. But it was so interesting, I couldn't look away. I had to know what was going on." Actor 2: "That's exactly how I felt. It's one of those movies that you have to pay attention to every detail, or you'll get lost." Actress 1: "Absolutely. And the way they played with time and reality was so cool. I don't think I've ever seen a movie like that before." Actor 2: "Yeah, the concept of entering someone's dreams to implant an idea was mind-boggling. And the way they executed it was so well done." Actress 1: "It was. And the cast was amazing too. Leonardo DiCaprio was incredible as usual, and I loved seeing Ellen Page in a different type of role." Actor 2: "Definitely. And the action scenes were so intense. The zero-gravity hallway fight was insane." Actress 1: "Oh my god, yes. I was on the edge of my seat for that one. And the ending...I still can't decide what it means." Actor 2: "I know, right? It's one of those movies that leaves you with so many questions. But that's part of what makes it so great." Actress 1: "Exactly. I love when movies challenge me to think and leave me wanting more. Inception definitely did that." Actor 2: "Agreed. It's definitely one of my all-time favorites. I could watch it a hundred times and still discover something new." Actress 1: "Same here. It's just one of those movies that sticks with you long after it's over."
Data Provenance Initiative
2025-04-01T17:48:26.953708
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-creative_writing", "response": "" }
dolly-openqa-43
Did dinosaurs have lips? Recent research suggests that the popular perception that dinosaurs had exposed teeth may be incorrect, and the current hypothesis is that the Tyrannosaurus rex did indeed have lips. A 2023 study by Dr Mark Witton of the University of Portsmouth said popular depictions of dinosaurs in movies like Jurassic Park are out of date. The study examined a large tooth that had spent over 500 days in the mouth of a Tyrannosaurus rex with no evidence of substantial wear, which is consistent with all findings of teeth found in the theropod family of dinosaurs. When contrasted with alligators and crocodiles, who have no lips and have more easily damaged teeth the theory says the evidence points to theropods, including Tyrannosaurus rex did indeed have lips. There would have been expected to be wear on the thin enamel on the teeth far more consistent with modern animals like crocodiles if dinosaurs had no lips.
Data Provenance Initiative
2025-04-01T17:48:26.953712
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-44
Are lilies safe for cats? No, lilies are toxic to cats if consumed and should not be kept in a household with cats
Data Provenance Initiative
2025-04-01T17:48:26.953725
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-45
What is Sunshine Recession? It is known as the deepest period in which sunspots are not virtually visible. Deepest period is related to sun cycle's process called solar minimum
Data Provenance Initiative
2025-04-01T17:48:26.953729
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-46
What is the currency in use in the Netherlands? The currency in use in the Netherlands is the euro.
Data Provenance Initiative
2025-04-01T17:48:26.953732
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-brainstorming-47
What is the best tv series in the world Dexter- The Dexter is so exciting to watch that it should be the best TV series in the world
Data Provenance Initiative
2025-04-01T17:48:26.953736
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-brainstorming", "response": "" }
dolly-closedqa-48
"Needles and Pins" is a rock song credited to American writers Jack Nitzsche and Sonny Bono. Jackie DeShannon recorded it in 1963 and other versions followed. The most successful ones were by the Searchers, whose version reached No. 1 on the UK singles chart in 1964, and Smokie, who had a worldwide hit in 1977. Others who recorded the song include the Ramones, Gene Clark, and Tom Petty and the Heartbreakers with Stevie Nicks. Jackie DeShannon version (1963) In his autobiography, Bono states that he sang along with Nitzsche's guitar-playing, thus creating both the tune and the lyrics, being guided by the chord progressions. However, Jackie DeShannon claims that the song was written at the piano, and that she was a full participant in the song's creation, along with Nitzsche and Bono, although she did not get formal credit. DeShannon was the first to record the song; in the US it peaked at number 84 on the Billboard Hot 100 singles chart in May 1963. Though it was only a minor US hit, DeShannon's recording of the song topped the charts in Canada, hitting number one on the CHUM Chart in July 1963 Who was the first to record the Needles and Pins song? The first artist to record Needles and Pins song was DeShannon.
Data Provenance Initiative
2025-04-01T17:48:26.953742
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-closedqa", "response": "" }
dolly-summarization-49
Different types of climbing warrant particular features for harnesses. Sport climbers typically use minimalistic harnesses, some with sewn-on gear loops. Alpine climbers often choose lightweight harnesses, perhaps with detachable leg loops. Big Wall climbers generally prefer padded waist belts and leg loops. There are also full body harnesses for children, whose pelvises may be too narrow to support a standard harness safely. These harnesses prevent children from falling even when inverted, and are either manufactured for children or constructed out of webbing. Some climbers use full body harnesses when there is a chance of inverting, or when carrying a heavy bag. There are also chest harnesses, which are used only in combination with a sit harness. Test results from UIAA show that chest harnesses do not put more impact on the neck than sit harnesses, giving them the same advantages as full body harness. Apart from these harnesses, there are also caving and canyoning harnesses, which all serve different purposes. For example, a caving harness is made of tough waterproof and unpadded material, with dual attachment points. Releasing the maillon from these attachment points loosens the harness quickly. Canyoning harnesses are somewhat like climbing harnesses, often without the padding, but with a seat protector, making it more comfortable to rappel. These usually have a single attachment point of Dyneema. Provide me a list of the different types of harnesses used in rock climbing Minimalistic Harness: has gear loops that are sewn on Lightweight Harness: has leg loops that are removable Big Wall Harness: uses padded waist belts and leg loops Full Body Harness: mostly for children with small pelvises, or for scenarios that risk inversion Chest Harness: to be used with a sit harness Caving Harness: made of ultra durable material and multiple attachment points Canyon Harness: has a built-in seat protector for rappeling.
Data Provenance Initiative
2025-04-01T17:48:26.953747
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-summarization", "response": "" }
dolly-brainstorming-50
Think of some family rules to promote a healthy family relationship Use Kind words Be grateful Think of others before yourself Work hard Be Honest Be thankful Keep your promises Choose to be happy Always say 'I Love You' Be kind Encourage each other
Data Provenance Initiative
2025-04-01T17:48:26.953750
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-brainstorming", "response": "" }
dolly-openqa-51
In the series A Song of Ice and Fire, who is the founder of House Karstark? Karlon Stark
Data Provenance Initiative
2025-04-01T17:48:26.953754
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-52
What is enriched air and why would divers dive with enriched air? Enriched air, also known as nitrox, is one kind of air with more than 21% oxygen. 21% oxygen is the normal air we breathe on the earth. The primary benefit of using enriched air is to extend the diver's bottom time, and reduce the need to push to no decompression limit. This advantage is really beneficial in deeper diving. For example, at 80 feet of depth, normal air can last around 30 min, while enriched air of 32% oxygen can last for 45 min and 36% can last for 55 min. While enriched air is really beneficial in extending bottom time, it is important that divers get trained to use it before diving with enriched air.
Data Provenance Initiative
2025-04-01T17:48:26.953760
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-53
What film won the 1943 Oscar as best film Casablanca
Data Provenance Initiative
2025-04-01T17:48:26.953764
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-54
which weighs more, cold or hot water? Cold water weighs more than hot water
Data Provenance Initiative
2025-04-01T17:48:26.953767
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-closedqa-55
Kia claims that the Stinger accelerates from zero to 100 km/h (62 mph) in 7.7, 6 and 4.9 seconds for the 2.2-liter diesel, 2.0-liter petrol and 3.3-liter petrol respectively. Schreyer reportedly drove a pre-production Stinger GT at a top speed of 269 km/h (167 mph) on the Autobahn. During a test by Car and Driver, an all-wheel-drive U.S. spec GT 3.3T with Michelin Pilot Sport 4 tires achieved 0–60 mph (0–97 km/h) in 4.6 seconds on the track, reached 0.91 g on the skidpad and was able to stop from 70 mph (113 km/h) in 164 feet (50 m). According to this publication, the U.S. model's top speed is governed at 167 mph (269 km/h) per Kia specs. In tests conducted by Motor Trend, the four-cylinder U.S. spec Stinger 2.0 RWD on Bridgestone Potenza tires reached 60 mph (97 km/h) in 6.6 seconds, completed the 1⁄4-mile (0.4 km) run in 15 seconds and stopped from 60 mph (97 km/h) in 126 feet (38 m). The average lateral acceleration recorded in track testing was 0.85 g. Given this paragraph, what is the top speed of a Kia Stinger? The top speed of a Kia Stinger is 269km/h (167mph) according to this text.
Data Provenance Initiative
2025-04-01T17:48:26.953772
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-closedqa", "response": "" }
dolly-creative_writing-56
Write a short paragraph about why you should not have both a pet cat and a pet bird. Having both a pet bird and a pet cat is not a good idea because cats will try to hunt birds, which are naturally the prey of cats. This hunting instinct is completely normal, and it isn't fair to the cat to try to train it not to attack birds, as it is simply in its nature to do so. However, letting a cat hunt your pet bird is similarly not humane, as it will be very stressful to the bird and could lead to the bird being injured. Larger birds are also not a good idea, as the bird could cause injury to the cat if the cat tries to attack it. Overall, it just isn't a good idea to have both cats and birds, since they tend not to coexist well, and pet owners should just pick one species to have.
Data Provenance Initiative
2025-04-01T17:48:26.953778
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-creative_writing", "response": "" }
dolly-openqa-57
What is your favorite strip from the comic Calvin and Hobbes? Calvin and Hobbes is an iconic strip that is regarded as one of the best comic strips in history. Individual preferences may vary and it's difficult to find the publishing rate of individual strips throughout its ten year syndication.
Data Provenance Initiative
2025-04-01T17:48:26.953782
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-openqa-58
What makes a formula one car so fast? Formula One cars are one of the fastest racing cars in the world reaching speeds as high as 240 mph. There are many aspects that make formula one cars fast, below are the top few 1. Engine: F1 cars have extremely powerful engines that can generate around 1000 bhp at up to 20,000 rpm 2. Power-to-Weight ratio: F1 cars are also extremely light at around 800 kgs giving them a power-to-weight ratio of 12000-1400 hp/ton. For comparison, the best Porsche cars have a power-to-weight ratio of only 300-400 hp/ton. 2. Aerodynamics: F1 cars are fitted with extremely sophisticated aerodynamics including a rear wing, front wing and body parts that help reduce aerodynamic drag for straight-line speeds while adding downforce to help around corners 3. Tires: F1 tires are extremely large and sticky. This help the cars stick to the road as the car goes through turns very fast. 4. Brakes: Lastly F1 brakes are very powerful and can slow down a car extremely quickly. This allows F1 cars to be at top speed for much longer before needing to slow down for taking a turn.
Data Provenance Initiative
2025-04-01T17:48:26.953788
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-openqa", "response": "" }
dolly-summarization-59
Key lime pie is probably derived from the "Magic Lemon Cream Pie" published in a promotional brochure by Borden, a producer of condensed milk, in 1931. The recipe is attributed to Borden's fictional spokesperson, Jane Ellison, and includes condensed milk, lemon juice and rind, and egg yolks. It is covered with meringue, baked, and served cold. According to the pastry chef Stella Parks, users of the recipe altered it with local ingredients; she describes it as "a stunning reminder of how deeply America's traditions are shaped by advertising". A "Tropical Lime Chiffon Pie", using condensed milk and egg yolks, is documented in a 1933 Miami newspaper article. An "icebox lime pie", was mentioned as a specialty of the Florida Keys in 1935.and a recipe under the name "Key Lime Pie" was published in 1940.No earlier solid sources are known, despite appeals to the public. A 1927 Key West Women's Club cookbook does not mention the recipe. A 1926 restaurant menu includes "lime pie", but it is unclear what it was. Various accounts claim that it was known earlier, but none were recorded before 1933. A widely-reported story claims that William Curry's cook Aunt Sally invented it in the late 19th century. But there is no evidence for this, and the oldest version of this story dates to only 1895, in promotional materials for a Bed and Breakfast in Curry's former house. It was in the 1950s that Key lime pie was promoted as Florida's "most famous treat" and in 1987 as "the greatest of all regional American desserts." Without quoting directly from the text give me a summary of the history of the Key Lime Pie. Key lime pie is an American dessert pie. It is made of lime juice, egg yolks, and sweetened condensed milk. It is best served with meringue topping and is typically cooked in a graham cracker crust. The dish is named after the small Key limes which which have yellow juice complementing the filling which is typically yellow because of the egg yolks used. The filling is made by simply mixing the ingredients without cooking the proteins of the egg yolks and condensed milk and the acidic lime juice curdle, thickening the mixture without baking.
Data Provenance Initiative
2025-04-01T17:48:26.953792
{ "license": [ "Creative Commons - Attribution Share-Alike - https://creativecommons.org/licenses/by-sa/3.0/" ], "license_url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k#summary", "language": [ "English" ], "url": "https://huggingface.co/datasets/databricks/databricks-dolly-15k", "dataset_id": "dolly-summarization", "response": "" }