diff --git a/browser/src/UI/components/VersionControl/SectionTitle.tsx b/browser/src/UI/components/SectionTitle.tsx
similarity index 79%
rename from browser/src/UI/components/VersionControl/SectionTitle.tsx
rename to browser/src/UI/components/SectionTitle.tsx
index 9475270d85..94f0ae057a 100644
--- a/browser/src/UI/components/VersionControl/SectionTitle.tsx
+++ b/browser/src/UI/components/SectionTitle.tsx
@@ -1,7 +1,7 @@
import * as React from "react"
-import Caret from "./../Caret"
-import { sidebarItemSelected, styled, withProps } from "./../common"
+import Caret from "./Caret"
+import { sidebarItemSelected, styled, withProps } from "./common"
export const Title = styled.h4`
margin: 0;
@@ -25,7 +25,7 @@ interface IProps {
testId: string
}
-const VCSSectionTitle: React.SFC
= props => (
+const SidebarSectionTitle: React.SFC = props => (
{props.title.toUpperCase()}
@@ -33,4 +33,4 @@ const VCSSectionTitle: React.SFC = props => (
)
-export default VCSSectionTitle
+export default SidebarSectionTitle
diff --git a/browser/src/UI/components/SidebarItemView.tsx b/browser/src/UI/components/SidebarItemView.tsx
index cd1529f8db..28e80a03d6 100644
--- a/browser/src/UI/components/SidebarItemView.tsx
+++ b/browser/src/UI/components/SidebarItemView.tsx
@@ -42,7 +42,7 @@ const SidebarItemStyleWrapper = withProps(styled.div)`
justify-content: center;
align-items: center;
padding-top: 4px;
- padding-bottom: 4px;
+ padding-bottom: 3px;
position: relative;
cursor: pointer;
@@ -52,7 +52,7 @@ const SidebarItemStyleWrapper = withProps(styled.div)`
flex: 0 0 auto;
width: 20px;
text-align: center;
- margin-right: 7px;
+ margin-right: 1px;
}
.name {
@@ -82,7 +82,7 @@ const SidebarItemBackground = withProps(styled.div)`
bottom: 0px;
`
-const INDENT_AMOUNT = 6
+const INDENT_AMOUNT = 12
export class SidebarItemView extends React.PureComponent {
public render(): JSX.Element {
diff --git a/browser/src/UI/components/VersionControl/Commits.tsx b/browser/src/UI/components/VersionControl/Commits.tsx
index d62bc57bd9..153da57963 100644
--- a/browser/src/UI/components/VersionControl/Commits.tsx
+++ b/browser/src/UI/components/VersionControl/Commits.tsx
@@ -1,11 +1,12 @@
import * as React from "react"
-import { PrevCommits } from "./../../../Services/VersionControl/VersionControlStore"
+import { Logs } from "../../../Services/VersionControl/VersionControlProvider"
import { sidebarItemSelected, styled, withProps } from "./../../../UI/components/common"
-import VCSSectionTitle from "./SectionTitle"
+import { formatDate } from "./../../../Utility"
+import VCSSectionTitle from "./../SectionTitle"
interface ICommitsSection {
- commits: PrevCommits[]
+ commits: Logs["all"]
selectedId: string
titleId: string
visibility: boolean
@@ -17,6 +18,9 @@ const List = styled.ul`
list-style: none;
margin: 0;
padding: 0;
+ overflow-y: auto;
+ overflow-x: hidden;
+ max-height: 30em;
`
export const ListItem = withProps<{ isSelected?: boolean }>(styled.li)`
${({ isSelected }) => isSelected && sidebarItemSelected};
@@ -27,9 +31,15 @@ const Detail = styled.p`
margin: 0.4rem 0;
`
+const Container = styled.div`
+ width: 100%;
+ max-height: 20em;
+ overflow: hidden;
+`
+
const CommitsSection: React.SFC = ({ commits, ...props }) => {
return (
-
+
= ({ commits, ...props }) => {
{commits.map(prevCommit => (
props.onClick(prevCommit.commit)}
- isSelected={props.selectedId === prevCommit.commit}
+ key={prevCommit.hash}
+ onClick={() => props.onClick(prevCommit.hash)}
+ isSelected={props.selectedId === prevCommit.hash}
>
{prevCommit.message}
- {prevCommit.commit}
- Deletions: {prevCommit.summary.deletions}
- Insertions: {prevCommit.summary.insertions}
+ {prevCommit.hash.slice(0, 6)}
+ {formatDate(prevCommit.date)}
+ {prevCommit.author_email}
+ {prevCommit.author_name}
))}
) : null}
-
+
)
}
diff --git a/browser/src/UI/components/VersionControl/Help.tsx b/browser/src/UI/components/VersionControl/Help.tsx
index ecf0fa7c44..8ce2874a48 100644
--- a/browser/src/UI/components/VersionControl/Help.tsx
+++ b/browser/src/UI/components/VersionControl/Help.tsx
@@ -1,33 +1,58 @@
import * as React from "react"
-import { SectionTitle, Title } from "./SectionTitle"
-
-// TODO: Get this from command API
-const commands = [
- {
- key: "ctrl-r",
- explanation: "Refresh the VCS Pane",
- },
- {
- key: "e",
- explanation: "Open the selected file",
- },
+import { inputManager } from "../../../Services/InputManager"
+import styled from "../common"
+import { SectionTitle, Title } from "./../SectionTitle"
+
+const sidebarCommands = [
+ { command: "vcs.openFile", description: "Open the currently selected file" },
+ { command: "vcs.unstage", description: "Unstage the currently selected file" },
+ { command: "vcs.commitAll", description: "Commit all staged files" },
+ { command: "vcs.refresh", description: "Manually refresh vcs pane" },
+ { command: "vcs.sidebar.toggle", description: "Toggle vcs pane" },
]
+const getBoundKeys = (commands = sidebarCommands) => {
+ return commands.map(({ command, ...rest }) => ({
+ key: inputManager.getBoundKeys(command)[0] || "Unbound",
+ ...rest,
+ }))
+}
+
+const HelpContainer = styled.div``
+
+const CommandExplainer = styled.div`
+ padding: 0 0.5em;
+`
+
+export const Description = styled.p`
+ margin: 0.5em 0;
+`
+
+const Command = styled.span`
+ color: ${p => p.theme["highlight.mode.insert.foreground"]};
+ background-color: ${p => p.theme["highlight.mode.insert.background"]};
+`
+
+const wrapInBrackets = (str: string) => {
+ return str.startsWith("<") && str.endsWith(">") ? str : `<${str}>`
+}
-const Help: React.SFC<{ showHelp: boolean }> = ({ showHelp }) =>
- showHelp && (
-
+const Help: React.SFC<{}> = props => {
+ const commands = getBoundKeys()
+ return (
+
Help?
{commands.map(command => (
-
-
- {command.key} - {command.explanation}
-
-
+
+
+ {command.description} - {wrapInBrackets(command.key)}
+
+
))}
-
+
)
+}
export default Help
diff --git a/browser/src/UI/components/VersionControl/Staged.tsx b/browser/src/UI/components/VersionControl/Staged.tsx
index e140eb9213..40aa90e96b 100644
--- a/browser/src/UI/components/VersionControl/Staged.tsx
+++ b/browser/src/UI/components/VersionControl/Staged.tsx
@@ -1,10 +1,10 @@
import * as React from "react"
import styled, { Center, sidebarItemSelected, withProps } from "../common"
+import SectionTitle from "../SectionTitle"
import { LoadingSpinner } from "./../../../UI/components/LoadingSpinner"
import CommitMessage from "./CommitMessage"
import File from "./File"
-import SectionTitle from "./SectionTitle"
const Explainer = styled.div`
width: 100%;
@@ -21,7 +21,7 @@ interface IProps {
icon: string
loading: boolean
handleSelection: (id: string) => void
- committing?: boolean
+ filesToCommit: string[]
toggleVisibility: () => void
handleCommitMessage: (evt: React.ChangeEvent) => void
handleCommitOne: () => void
@@ -81,8 +81,9 @@ const StagedSection: React.SFC = props => {
{props.visible &&
props.files.map(file => {
const isSelected = file === props.selectedId
+ const isLoading = props.filesToCommit.includes(file) && props.loading
return (
-
+
{props.selectedToCommit(file) ? (
void
onSelected?: (selectedId: string) => void
- render: (selectedId: string) => JSX.Element
+ render: (selectedId: string, updateSelection: (id: string) => void) => JSX.Element
style?: React.CSSProperties
+ idToSelect?: string
}
export interface IVimNavigatorState {
@@ -65,6 +66,10 @@ export class VimNavigator extends React.PureComponent {
+ this.setState({ selectedId: id })
+ }
+
public render() {
const inputElement = (
@@ -84,7 +89,9 @@ export class VimNavigator extends React.PureComponent
- {this.props.render(this.state.selectedId)}
+
+ {this.props.render(this.state.selectedId, this.updateSelection)}
+
{this.props.active ? inputElement : null}
)
@@ -127,16 +134,7 @@ export class VimNavigator extends React.PureComponent {
Log.info("[VimNavigator::onCursorMoved] - " + newValue)
-
- if (newValue !== this.state.selectedId) {
- this.setState({
- selectedId: newValue,
- })
-
- if (this.props.onSelectionChanged) {
- this.props.onSelectionChanged(newValue)
- }
- }
+ this._maybeUpdateSelection(newValue)
})
await this._activeBinding.setItems(this.props.ids, this.state.selectedId)
@@ -146,5 +144,19 @@ export class VimNavigator extends React.PureComponent
{({ height, width }) => {
- // return {width}{height}
const items = layoutFromSplitInfo(this.props.split, width, height)
const vals: JSX.Element[] = Object.values(items).map(item => {
const style = rectangleToStyleProperties(item.rectangle, height)
return (
-
+
-export type Css = styledComponents.InterpolationValue[] | styledComponents.Styles[]
+export type Css =
+ | styledComponents.InterpolationValue[]
+ | Array>>
type FlexDirection = "flex-start" | "flex-end" | "center" | "space-between"
@@ -77,9 +79,21 @@ export const StackLayer = styled<{ zIndex?: number | string }, "div">("div")`
${p => p.zIndex && `z-index: ${p.zIndex}`};
`
+type GetBorder = (
+ args: {
+ isSelected?: boolean
+ borderSize?: string
+ theme?: styledComponents.ThemeProps
+ },
+) => string
+
+export const getSelectedBorder: GetBorder = ({ isSelected, borderSize = "1px", theme }) =>
+ isSelected
+ ? `${borderSize} solid ${theme["highlight.mode.normal.background"]}`
+ : `${borderSize} solid transparent`
+
export const sidebarItemSelected = css`
- border: ${(p: any) =>
- p.isSelected && `1px solid ${p.theme["highlight.mode.normal.background"]}`};
+ border: ${getSelectedBorder};
`
export type StyledFunction = styledComponents.ThemedStyledFunction
@@ -129,6 +143,12 @@ const tint = (base: string, mix: string, degree: number = 0.1) =>
const fontSizeSmall = `font-size: 0.9em;`
+export const textOverflow = css`
+ white-space: nowrap;
+ overflow: hidden;
+ text-overflow: ellipsis;
+`
+
const fallBackFonts = `
Consolas,
Menlo,
diff --git a/browser/src/Utility.ts b/browser/src/Utility.ts
index 9a6ba0db62..07841a4817 100644
--- a/browser/src/Utility.ts
+++ b/browser/src/Utility.ts
@@ -258,3 +258,45 @@ export function ignoreWhilePendingPromise(
export const parseJson5 = (text: string): T => {
return JSON5.parse(text) as T
}
+
+export const formatDate = (dateStr: string) => {
+ const options: Intl.DateTimeFormatOptions = {
+ weekday: "long",
+ year: "numeric",
+ month: "long",
+ day: "numeric",
+ hour: "numeric",
+ minute: "numeric",
+ }
+ const date = new Date(dateStr)
+ return date.toLocaleDateString("en-US", options)
+}
+
+// Courtesy of https://stackoverflow.com/questions/3177836
+// /how-to-format-time-since-xxx-e-g-4-minutes-ago-similar-to-stack-exchange-site
+export const getTimeSince = (date: Date) => {
+ const currentDate = Date.now()
+ const seconds = Math.floor((currentDate - date.getTime()) / 1000)
+ let interval = Math.floor(seconds / 31536000)
+
+ if (interval > 1) {
+ return interval + " years"
+ }
+ interval = Math.floor(seconds / 2592000)
+ if (interval > 1) {
+ return interval + " months"
+ }
+ interval = Math.floor(seconds / 86400)
+ if (interval > 1) {
+ return interval + " days"
+ }
+ interval = Math.floor(seconds / 3600)
+ if (interval > 1) {
+ return interval + " hours"
+ }
+ interval = Math.floor(seconds / 60)
+ if (interval > 1) {
+ return interval + " minutes"
+ }
+ return Math.floor(seconds) + " seconds"
+}
diff --git a/browser/src/neovim/NeovimInstance.ts b/browser/src/neovim/NeovimInstance.ts
index 6f4c9dbaf6..208ce294f5 100644
--- a/browser/src/neovim/NeovimInstance.ts
+++ b/browser/src/neovim/NeovimInstance.ts
@@ -560,6 +560,15 @@ export class NeovimInstance extends EventEmitter implements INeovimInstance {
return this.command(`e! ${fileName}`)
}
+ /**
+ * closeAllBuffers
+ *
+ * silently close all open buffers
+ */
+ public async closeAllBuffers() {
+ await this.command(`silent! %bdelete`)
+ }
+
/**
* getInitVimPath
* return the init vim path with no check to ensure existence
diff --git a/browser/src/neovim/NeovimWindowManager.ts b/browser/src/neovim/NeovimWindowManager.ts
index 59294eacc5..c9e7d05d27 100644
--- a/browser/src/neovim/NeovimWindowManager.ts
+++ b/browser/src/neovim/NeovimWindowManager.ts
@@ -23,6 +23,10 @@ import { NeovimInstance } from "./index"
import * as Utility from "./../Utility"
+interface NeovimWindow {
+ id: number
+}
+
export interface NeovimTabPageState {
tabId: number
activeWindow: NeovimActiveWindowState
@@ -88,7 +92,6 @@ export class NeovimWindowManager extends Utility.Disposable {
this.trackDisposable(this._neovimInstance.onScroll.subscribe(updateScroll))
const shouldMeasure$: Observable = this._scrollObservable
- .auditTime(25)
.map((evt: EventContext) => ({
version: evt.version,
bufferTotalLines: evt.bufferTotalLines,
@@ -102,10 +105,9 @@ export class NeovimWindowManager extends Utility.Disposable {
shouldMeasure$
.withLatestFrom(this._scrollObservable)
- .switchMap((args: [any, EventContext]) => {
- const [, evt] = args
- return Observable.defer(() => this._remeasure(evt))
- })
+ .switchMap(([, evt]: [any, EventContext]) =>
+ Observable.defer(() => this._remeasure(evt)),
+ )
.subscribe((tabState: NeovimTabPageState) => {
if (tabState) {
this._onWindowStateChangedEvent.dispatch(tabState)
@@ -124,9 +126,10 @@ export class NeovimWindowManager extends Utility.Disposable {
private async _remeasure(context: EventContext): Promise {
const tabNumber = context.tabNumber
- const allWindows = await this._neovimInstance.request("nvim_tabpage_list_wins", [
- tabNumber,
- ])
+ const allWindows = await this._neovimInstance.request(
+ "nvim_tabpage_list_wins",
+ [tabNumber],
+ )
const activeWindow = await this._remeasureActiveWindow(context.windowNumber, context)
@@ -136,11 +139,9 @@ export class NeovimWindowManager extends Utility.Disposable {
const inactiveWindowIds = allWindows.filter(w => w.id !== context.windowNumber)
- const windowPromise = await inactiveWindowIds.map(async (window: any) => {
- return this._remeasureInactiveWindow(window.id)
- })
-
- const inactiveWindows = await Promise.all(windowPromise)
+ const inactiveWindows = await Promise.all(
+ inactiveWindowIds.map(window => this._remeasureInactiveWindow(window.id)),
+ )
return {
tabId: tabNumber,
diff --git a/browser/test/Editor/NeovimEditor/BufferManagerTest.ts b/browser/test/Editor/NeovimEditor/BufferManagerTest.ts
deleted file mode 100644
index cf2e72684e..0000000000
--- a/browser/test/Editor/NeovimEditor/BufferManagerTest.ts
+++ /dev/null
@@ -1,80 +0,0 @@
-import * as assert from "assert"
-
-import { BufferManager, InactiveBuffer } from "./../../../src/Editor/BufferManager"
-
-describe("Buffer Manager Tests", () => {
- const neovim = {} as any
- const actions = {} as any
- const store = {} as any
- const manager = new BufferManager(neovim, actions, store)
- const event = {
- bufferFullPath: "/test/file",
- bufferTotalLines: 2,
- bufferNumber: 1,
- modified: false,
- hidden: false,
- listed: true,
- version: 1,
- line: 0,
- column: 0,
- byte: 8,
- filetype: "js",
- tabNumber: 1,
- windowNumber: 1,
- wincol: 10,
- winline: 25,
- windowTopLine: 0,
- windowBottomLine: 200,
- windowWidth: 100,
- windowHeight: 100,
- tabstop: 8,
- shiftwidth: 2,
- comments: "://,ex:*/",
- }
-
- const inactive1 = {
- bufferNumber: 2,
- bufferFullPath: "/test/two",
- filetype: "js",
- buftype: "",
- modified: false,
- hidden: false,
- listed: true,
- version: 1,
- }
-
- it("Should correctly set buffer variables", () => {
- manager.updateBufferFromEvent(event)
- const buffer = manager.getBufferById("1")
- assert(buffer.tabstop === 8, "tabstop is set correctly")
- assert(buffer.shiftwidth === 2, "shiftwidth is set correctly")
- assert(buffer.comment.defaults.includes("//"), "comments are set correctly")
- assert(buffer.comment.end.includes("*/"), "comments are set correctly")
- })
-
- it("Should correctly populate the buffer list", () => {
- manager.updateBufferFromEvent(event)
- manager.populateBufferList({
- current: event,
- existingBuffers: [inactive1],
- })
-
- const buffers = manager.getBuffers()
- assert(buffers.length === 2, "Two buffers were added")
- assert(
- buffers.find(buffer => buffer instanceof InactiveBuffer),
- "One of the buffers is an inactive buffer",
- )
- })
-
- it("Should correctly format a comment string (based on neovim &comment option)", () => {
- manager.updateBufferFromEvent(event)
- const buffer = manager.getBufferById("1")
- const comment = "s1:/*,ex:*/,://,b:#,:%"
- const formatted = buffer.formatCommentOption(comment)
- assert(formatted.start.includes("/*"), "Correctly parses a comment string")
- assert(formatted.end.includes("*/"), "Correctly parses a comment string")
- assert(formatted.defaults.includes("//"), "Correctly parses a comment string")
- assert(formatted.defaults.includes("#"), "Correctly parses a comment string")
- })
-})
diff --git a/browser/test/Mocks/MockPersistentStore.ts b/browser/test/Mocks/MockPersistentStore.ts
index e94c68c2c0..4e60bd3cbf 100644
--- a/browser/test/Mocks/MockPersistentStore.ts
+++ b/browser/test/Mocks/MockPersistentStore.ts
@@ -18,4 +18,13 @@ export class MockPersistentStore implements IPersistentStore {
public async get(): Promise {
return this._state
}
+
+ public async delete(key: string): Promise {
+ this._state[key] = undefined
+ return this._state
+ }
+
+ public has(key: string) {
+ return !!this._state[key]
+ }
}
diff --git a/browser/test/Mocks/index.ts b/browser/test/Mocks/index.ts
index 1e9d656d2e..e5f879778f 100644
--- a/browser/test/Mocks/index.ts
+++ b/browser/test/Mocks/index.ts
@@ -8,7 +8,7 @@
export * from "./MockBuffer"
export * from "./neovim/MockNeovimInstance"
export * from "./MockPersistentStore"
-export * from "./MockPluginManager"
+import { MockPluginManager } from "./MockPluginManager"
export * from "./MockThemeLoader"
import * as Oni from "oni-api"
@@ -18,11 +18,11 @@ import * as types from "vscode-languageserver-types"
import { Editor } from "./../../src/Editor/Editor"
+import { EditorManager } from "./../../src/Services/EditorManager"
import * as Language from "./../../src/Services/Language"
import { createCompletablePromise, ICompletablePromise } from "./../../src/Utility"
import { TokenColor } from "./../../src/Services/TokenColors"
-import { IWorkspace } from "./../../src/Services/Workspace"
export class MockWindowSplit {
public get id(): string {
@@ -50,7 +50,7 @@ export class MockTokenColors {
import { MockBuffer } from "./MockBuffer"
-export class MockConfiguration {
+export class MockConfiguration implements Oni.Configuration {
private _currentConfigurationFiles: string[] = []
private _onConfigurationChanged = new Event()
@@ -72,6 +72,10 @@ export class MockConfiguration {
this._configurationValues[key] = value
}
+ public setValues(): void {
+ throw Error("Not yet implemented")
+ }
+
public addConfigurationFile(filePath: string): void {
this._currentConfigurationFiles = [...this._currentConfigurationFiles, filePath]
}
@@ -87,7 +91,7 @@ export class MockConfiguration {
}
}
-export class MockWorkspace implements IWorkspace {
+export class MockWorkspace implements Oni.Workspace.Api {
private _activeWorkspace: string = null
private _onDirectoryChangedEvent = new Event()
private _onFocusGainedEvent = new Event()
@@ -153,6 +157,10 @@ export class MockEditor extends Editor {
private _activeBuffer: MockBuffer = null
private _currentSelection: types.Range = null
+ public init(filesToOpen: string[]): void {
+ throw new Error("Not implemented")
+ }
+
public get activeBuffer(): Oni.Buffer {
return this._activeBuffer as any
}
@@ -173,6 +181,10 @@ export class MockEditor extends Editor {
this.notifyBufferEnter(buffer as any)
}
+ public render(): JSX.Element {
+ throw new Error("Not implemented")
+ }
+
public async setSelection(range: types.Range): Promise {
this._currentSelection = range
}
@@ -257,3 +269,114 @@ export class MockHoverRequestor extends MockRequestor
return this.get(language, filePath, line, column)
}
}
+
+export class MockOni implements Oni.Plugin.Api {
+ private _editorManager = new EditorManager()
+ private _pluginManager = new MockPluginManager()
+ private _statusBar = new MockStatusBar()
+ private _workspace = new MockWorkspace()
+
+ constructor(private _configuration: Oni.Configuration = new MockConfiguration()) {
+ this._editorManager.setActiveEditor(new MockEditor())
+ }
+
+ get automation(): Oni.Automation.Api {
+ throw Error("Not yet implemented")
+ }
+
+ get colors(): Oni.IColors {
+ throw Error("Not yet implemented")
+ }
+
+ get commands(): Oni.Commands.Api {
+ throw Error("Not yet implemented")
+ }
+
+ get configuration(): Oni.Configuration {
+ return this._configuration
+ }
+
+ get contextMenu(): any /* TODO */ {
+ throw Error("Not yet implemented")
+ }
+
+ get diagnostics(): Oni.Plugin.Diagnostics.Api {
+ throw Error("Not yet implemented")
+ }
+
+ get editors(): Oni.EditorManager {
+ return this._editorManager
+ }
+
+ get filter(): Oni.Menu.IMenuFilters {
+ throw Error("Not yet implemented")
+ }
+
+ get input(): Oni.Input.InputManager {
+ throw Error("Not yet implemented")
+ }
+
+ get language(): any /* TODO */ {
+ throw Error("Not yet implemented")
+ }
+
+ get log(): any /* TODO */ {
+ throw Error("Not yet implemented")
+ }
+
+ get notifications(): Oni.Notifications.Api {
+ throw Error("Not yet implemented")
+ }
+
+ get overlays(): Oni.Overlays.Api {
+ throw Error("Not yet implemented")
+ }
+
+ get plugins(): Oni.IPluginManager {
+ return this._pluginManager
+ }
+
+ get search(): Oni.Search.ISearch {
+ throw Error("Not yet implemented")
+ }
+
+ get sidebar(): Oni.Sidebar.Api {
+ throw Error("Not yet implemented")
+ }
+
+ get ui(): Oni.Ui.IUi {
+ throw Error("Not yet implemented")
+ }
+
+ get menu(): Oni.Menu.Api {
+ throw Error("Not yet implemented")
+ }
+
+ get process(): Oni.Process {
+ throw Error("Not yet implemented")
+ }
+
+ get recorder(): Oni.Recorder {
+ throw Error("Not yet implemented")
+ }
+
+ get snippets(): Oni.Snippets.SnippetManager {
+ throw Error("Not yet implemented")
+ }
+
+ get statusBar(): Oni.StatusBar {
+ return this._statusBar
+ }
+
+ get windows(): Oni.IWindowManager {
+ throw Error("Not yet implemented")
+ }
+
+ get workspace(): Oni.Workspace.Api {
+ return this._workspace
+ }
+
+ public populateQuickFix(entries: Oni.QuickFixEntry[]): void {
+ throw Error("Not yet implemented")
+ }
+}
diff --git a/browser/test/Services/Explorer/ExplorerFileSystemTests.ts b/browser/test/Services/Explorer/ExplorerFileSystemTests.ts
index a9875d01e6..89516f8230 100644
--- a/browser/test/Services/Explorer/ExplorerFileSystemTests.ts
+++ b/browser/test/Services/Explorer/ExplorerFileSystemTests.ts
@@ -136,6 +136,9 @@ describe("readdir", () => {
exists(targetPath: string, callback: any) {
assert.fail("Should not be used")
},
+ realpath(targetPath: string) {
+ assert.fail("Should not be used")
+ },
} as any)
const expected = [
diff --git a/browser/test/Services/Explorer/ExplorerStoreTests.ts b/browser/test/Services/Explorer/ExplorerStoreTests.ts
index f58d0a1ded..f6ed842916 100644
--- a/browser/test/Services/Explorer/ExplorerStoreTests.ts
+++ b/browser/test/Services/Explorer/ExplorerStoreTests.ts
@@ -8,16 +8,27 @@ import * as path from "path"
import { Store } from "redux"
import configureMockStore, { MockStoreCreator } from "redux-mock-store"
import { ActionsObservable, combineEpics, createEpicMiddleware } from "redux-observable"
+import * as sinon from "sinon"
import * as ExplorerFileSystem from "./../../../src/Services/Explorer/ExplorerFileSystem"
import { ExplorerNode } from "./../../../src/Services/Explorer/ExplorerSelectors"
import * as ExplorerState from "./../../../src/Services/Explorer/ExplorerStore"
+import { Notification } from "./../../../src/Services/Notifications/Notification"
import { Notifications } from "./../../../src/Services/Notifications/Notifications"
import * as clone from "lodash/clone"
import * as head from "lodash/head"
import * as TestHelpers from "./../../TestHelpers"
+const MemoryFileSystem = require("memory-fs") // tslint:disable-line
+// Monkey patch realpath since it doesn't exist in memory-fs.
+MemoryFileSystem.prototype.realpath = (
+ fullPath: string,
+ callback: (err: any, fullPath: string) => void,
+) => {
+ callback(null, fullPath)
+}
+
export class MockedFileSystem implements ExplorerFileSystem.IFileSystem {
public promises: Array>
@@ -37,6 +48,12 @@ export class MockedFileSystem implements ExplorerFileSystem.IFileSystem {
return promise
}
+ public realpath(fullPath: string): Promise {
+ const promise = this._inner.realpath(fullPath)
+ this.promises.push(promise)
+ return promise
+ }
+
public async canPersistNode() {
return true
}
@@ -52,29 +69,36 @@ export class MockedFileSystem implements ExplorerFileSystem.IFileSystem {
// tslint:enable
}
-const rootEpic = combineEpics(ExplorerState.clearYankRegisterEpic, ExplorerState.pasteEpic)
+const mockFileSystem = (): MockedFileSystem => {
+ const memoryFileSystem = new MemoryFileSystem()
+ const fileSystem = new MockedFileSystem(
+ new ExplorerFileSystem.FileSystem(memoryFileSystem as any),
+ )
+ return fileSystem
+}
-const epicMiddleware = createEpicMiddleware(rootEpic, {
- dependencies: {
- fileSystem: MockedFileSystem as any,
- notifications: {} as Notifications,
- },
-})
+const mockStoreFactory = (
+ epics: any[],
+ notifications = {} as Notifications,
+ fileSystem: ExplorerFileSystem.IFileSystem = mockFileSystem(),
+): MockStoreCreator => {
+ const rootEpic = combineEpics(...epics)
-const MemoryFileSystem = require("memory-fs") // tslint:disable-line
-const mockStore: MockStoreCreator = configureMockStore([
- epicMiddleware,
-])
+ const epicMiddleware = createEpicMiddleware(rootEpic, {
+ dependencies: { fileSystem, notifications },
+ })
-describe("ExplorerStore", () => {
- let fileSystem: any
- let store: Store
- let explorerFileSystem: MockedFileSystem
+ const mockStore: MockStoreCreator = configureMockStore([
+ epicMiddleware,
+ ])
+ return mockStore
+}
+
+describe("ExplorerStore", () => {
const rootPath = path.normalize(path.join(TestHelpers.getRootDirectory(), "a", "test", "dir"))
const filePath = path.join(rootPath, "file.txt")
const target = { filePath, id: "1" }
- const epicStore = mockStore({ ...ExplorerState.DefaultExplorerState })
const pasted1 = {
type: "file",
@@ -109,25 +133,25 @@ describe("ExplorerStore", () => {
sources: [pasted1],
} as ExplorerState.IPasteAction
- beforeEach(() => {
- fileSystem = new MemoryFileSystem()
- fileSystem.mkdirpSync(rootPath)
- fileSystem.writeFileSync(filePath, "Hello World")
-
- explorerFileSystem = new MockedFileSystem(
- new ExplorerFileSystem.FileSystem(fileSystem as any),
- )
- store = ExplorerState.createStore({
- fileSystem: explorerFileSystem,
- notifications: {} as any,
- })
- })
+ describe("SET_ROOT_DIRECTORY", () => {
+ let store: Store
+ let explorerFileSystem: MockedFileSystem
- afterEach(() => {
- epicMiddleware.replaceEpic(rootEpic)
- })
+ beforeEach(() => {
+ let fileSystem: any
+ fileSystem = new MemoryFileSystem()
+ fileSystem.mkdirpSync(rootPath)
+ fileSystem.writeFileSync(filePath, "Hello World")
+
+ explorerFileSystem = new MockedFileSystem(
+ new ExplorerFileSystem.FileSystem(fileSystem as any),
+ )
+ store = ExplorerState.createStore({
+ fileSystem: explorerFileSystem,
+ notifications: {} as any,
+ })
+ })
- describe("SET_ROOT_DIRECTORY", () => {
it("expands directory automatically", async () => {
store.dispatch({
type: "SET_ROOT_DIRECTORY",
@@ -148,20 +172,111 @@ describe("ExplorerStore", () => {
})
})
+ describe("selectFileReducer", () => {
+ it("returns state unchanged if action is not recognized", () => {
+ const state = ExplorerState.selectFileReducer("shouldn't change", {
+ type: "UNRECOGNISED",
+ filePath: "not me",
+ })
+ assert.equal(state, "shouldn't change")
+ })
+
+ it("flags pending file to select in state when given pending action", () => {
+ const state = ExplorerState.selectFileReducer("should change", {
+ type: "SELECT_FILE_PENDING",
+ filePath: "change to me",
+ })
+ assert.equal(state, "change to me")
+ })
+
+ it("resets pending file to select in state when given success action", () => {
+ const state = ExplorerState.selectFileReducer("should change", {
+ type: "SELECT_FILE_SUCCESS",
+ })
+ assert.equal(state, null)
+ })
+ })
+
+ describe("selectFileEpic", () => {
+ let epicStore: any
+
+ beforeEach(() => {
+ epicStore = mockStoreFactory([ExplorerState.selectFileEpic])({
+ ...ExplorerState.DefaultExplorerState,
+ rootFolder: { type: "folder", fullPath: rootPath },
+ })
+ })
+
+ it("dispatches actions to expand folders and select file", async () => {
+ const fileToSelect = path.normalize(path.join(rootPath, "dir1", "dir2", "file.cpp"))
+ epicStore.dispatch({ type: "SELECT_FILE", filePath: fileToSelect })
+ await TestHelpers.waitForAllAsyncOperations()
+ const actions = epicStore.getActions()
+ assert.deepStrictEqual(actions, [
+ { type: "SELECT_FILE", filePath: fileToSelect },
+ {
+ type: "EXPAND_DIRECTORY",
+ directoryPath: path.normalize(path.join(rootPath, "dir1")),
+ },
+ {
+ type: "EXPAND_DIRECTORY",
+ directoryPath: path.normalize(path.join(rootPath, "dir1", "dir2")),
+ },
+ { type: "SELECT_FILE_PENDING", filePath: fileToSelect },
+ ])
+ })
+
+ it("dispatches failure if target is not in workspace", async () => {
+ const fileToSelect = path.normalize(path.join(TestHelpers.getRootDirectory(), "other"))
+ epicStore.dispatch({ type: "SELECT_FILE", filePath: fileToSelect })
+ await TestHelpers.waitForAllAsyncOperations()
+ const actions = epicStore.getActions()
+ assert.deepStrictEqual(actions, [
+ { type: "SELECT_FILE", filePath: fileToSelect },
+ { type: "SELECT_FILE_FAIL", reason: "File is not in workspace: " + fileToSelect },
+ ])
+ })
+ })
+
+ describe("notificationEpic", () => {
+ let epicStore: any
+ let notifications: any
+ let notification: any
+
+ beforeEach(() => {
+ notifications = sinon.createStubInstance(Notifications)
+ notification = sinon.createStubInstance(Notification)
+ notifications.createItem.returns(notification)
+ epicStore = mockStoreFactory([ExplorerState.notificationEpic], notifications as any)({
+ ...ExplorerState.DefaultExplorerState,
+ rootFolder: { type: "folder", fullPath: rootPath },
+ })
+ })
+
+ it("notifies on failing to select a file in explorer", () => {
+ epicStore.dispatch({ type: "SELECT_FILE_FAIL", reason: "broken" })
+ const actions = epicStore.getActions()
+
+ assert(notification.setContents.calledWith("Select Failed", "broken"))
+ assert(notification.setLevel.calledWith("warn"))
+ assert(notification.setExpiration.calledWith(5_000))
+ assert(notification.show.calledWith())
+ assert(notification.show.calledAfter(notification.setContents))
+ assert(notification.show.calledAfter(notification.setLevel))
+ assert(notification.show.calledAfter(notification.setExpiration))
+ assert.deepStrictEqual(actions, [
+ { type: "SELECT_FILE_FAIL", reason: "broken" },
+ { type: "NOTIFICATION_SENT", typeOfNotification: "SELECT_FILE_FAIL" },
+ ])
+ })
+ })
+
describe("YANK_AND_PASTE_EPICS", async () => {
- const fs = {
- move: async (source, dest) => null,
- readdir: () => null as any,
- exists: async file => true,
- persistNode: async file => null,
- restoreNode: async file => null,
- deleteNode: file => null,
- canPersistNode: async (file, size) => true,
- moveNodesBack: async collection => null,
- writeFile: async name => null,
- mkdir: async name => null,
- } as ExplorerFileSystem.IFileSystem
+ let fs: any
+ beforeEach(() => {
+ fs = new MockedFileSystem(new ExplorerFileSystem.FileSystem(new MemoryFileSystem()))
+ })
const notifications = {
_id: 0,
_overlay: null,
@@ -177,12 +292,17 @@ describe("ExplorerStore", () => {
}),
} as any
+ const mockStore = mockStoreFactory([
+ ExplorerState.pasteEpic,
+ ExplorerState.clearYankRegisterEpic,
+ ])
+
it("dispatches a clear register action after a minute", async () => {
+ const epicStore = mockStore({ ...ExplorerState.DefaultExplorerState })
epicStore.dispatch({ type: "YANK", target })
const actions = epicStore.getActions()
await TestHelpers.waitForAllAsyncOperations()
- // three because an init action is sent first
- await assert.ok(actions.length === 3)
+ await assert.equal(actions.length, 2)
const clearedRegister = !!actions.find(action => action.type === "CLEAR_REGISTER")
assert.ok(clearedRegister)
})
@@ -245,15 +365,12 @@ describe("ExplorerStore", () => {
persist: true,
} as ExplorerState.IDeleteAction)
+ sinon.stub(fs, "persistNode").throws(new Error("Doesnt work"))
+
const expected = [{ type: "DELETE_FAIL", reason: "Doesnt work" }]
ExplorerState.deleteEpic(action$, null, {
- fileSystem: {
- ...fs,
- persistNode: async node => {
- throw new Error("Doesnt work")
- },
- },
+ fileSystem: fs,
notifications,
})
.toArray()
@@ -464,7 +581,7 @@ describe("ExplorerStore", () => {
.subscribe(actualAction => assert.deepEqual(actualAction, expected))
})
- it("Should return a create node success action if a creation is committed", () => {
+ it("Should return a create node success action if a creation is committed", async () => {
const action$ = ActionsObservable.of({
type: "CREATE_NODE_COMMIT",
name: "/test/dir/file.txt",
@@ -487,16 +604,21 @@ describe("ExplorerStore", () => {
const expected = [
{ type: "CREATE_NODE_SUCCESS", nodeType: "file", name: "/test/dir/file.txt" },
- { type: "EXPAND_DIRECTORY", directoryPath: "/test/dir" },
- { type: "REFRESH" },
+ { type: "SELECT_FILE", filePath: "/test/dir/file.txt" },
]
- ExplorerState.createNodeEpic(action$, createState, { fileSystem: fs, notifications })
+ return ExplorerState.createNodeEpic(action$, createState, {
+ fileSystem: fs,
+ notifications,
+ })
.toArray()
- .subscribe(actualActions => assert.deepEqual(actualActions, expected))
+ .toPromise()
+ .then(actualActions => {
+ assert.deepEqual(actualActions, expected)
+ })
})
- it("Should return an error action if a creation fails", () => {
+ it("Should return an error action if a creation fails", async () => {
const action$ = ActionsObservable.of({
type: "CREATE_NODE_COMMIT",
name: "/test/dir/file.txt",
@@ -519,7 +641,7 @@ describe("ExplorerStore", () => {
const expected = [{ type: "CREATE_NODE_FAIL", reason: "Duplicate" }]
- ExplorerState.createNodeEpic(action$, createState, {
+ return ExplorerState.createNodeEpic(action$, createState, {
fileSystem: {
...fs,
writeFile: async folderpath => {
@@ -529,7 +651,8 @@ describe("ExplorerStore", () => {
notifications,
})
.toArray()
- .subscribe(actualActions => {
+ .toPromise()
+ .then(actualActions => {
assert.deepEqual(actualActions, expected)
})
})
diff --git a/browser/test/Services/Language/LanguageManagerTests.ts b/browser/test/Services/Language/LanguageManagerTests.ts
index 77c0485249..054487866a 100644
--- a/browser/test/Services/Language/LanguageManagerTests.ts
+++ b/browser/test/Services/Language/LanguageManagerTests.ts
@@ -8,7 +8,6 @@ import * as sinon from "sinon"
import { Event } from "oni-types"
-import { EditorManager } from "./../../../src/Services/EditorManager"
import * as Language from "./../../../src/Services/Language"
import * as Mocks from "./../../Mocks"
@@ -44,16 +43,13 @@ export class MockLanguageClient implements Language.ILanguageClient {
describe("LanguageManager", () => {
// Mocks
- let mockConfiguration: Mocks.MockConfiguration
- let mockEditor: Mocks.MockEditor
- let editorManager: EditorManager
- let mockWorkspace: Mocks.MockWorkspace
+ let mockOni: Mocks.MockOni
// Class under test
let languageManager: Language.LanguageManager
beforeEach(() => {
- mockConfiguration = new Mocks.MockConfiguration({
+ const mockConfiguration = new Mocks.MockConfiguration({
"editor.quickInfo.delay": 500,
"editor.quickInfo.enabled": true,
"status.priority": {
@@ -64,21 +60,9 @@ describe("LanguageManager", () => {
"oni.status.git": 2,
},
})
+ mockOni = new Mocks.MockOni(mockConfiguration)
- editorManager = new EditorManager()
- mockEditor = new Mocks.MockEditor()
- editorManager.setActiveEditor(mockEditor)
- mockWorkspace = new Mocks.MockWorkspace()
-
- const mockStatusBar = new Mocks.MockStatusBar()
-
- languageManager = new Language.LanguageManager(
- mockConfiguration as any,
- editorManager,
- new Mocks.MockPluginManager() as any,
- mockStatusBar,
- mockWorkspace,
- )
+ languageManager = new Language.LanguageManager(mockOni)
})
it("sends didOpen request if language server is registered after enter event", async () => {
@@ -86,6 +70,7 @@ describe("LanguageManager", () => {
// This can happen if a plugin registers a language server, because we spin
// up the editors before initializing plugins.
const mockBuffer = new Mocks.MockBuffer("javascript", "test.js", ["a", "b", "c"])
+ const mockEditor = mockOni.editors.activeEditor as Mocks.MockEditor
mockEditor.simulateBufferEnter(mockBuffer)
const mockLanguageClient = new MockLanguageClient()
diff --git a/extensions/oni-plugin-markdown-preview/package.json b/extensions/oni-plugin-markdown-preview/package.json
index a890d11ac3..acd23614c0 100644
--- a/extensions/oni-plugin-markdown-preview/package.json
+++ b/extensions/oni-plugin-markdown-preview/package.json
@@ -23,6 +23,7 @@
"tbd-dependencies": {
"marked": "^0.4.0",
"dompurify": "1.0.2",
+ "highlight.js": "^9.12.0",
"oni-types": "^0.0.4",
"oni-api": "^0.0.9"
},
@@ -31,6 +32,7 @@
"rimraf": "^2.6.2"
},
"tbd-devDependencies": {
+ "@types/highlight.js": "^9.12.2",
"typescript": "2.5.3",
"rimraf": "2.6.2"
}
diff --git a/extensions/oni-plugin-markdown-preview/src/index.tsx b/extensions/oni-plugin-markdown-preview/src/index.tsx
index cf5479ecf3..d87cfdf003 100644
--- a/extensions/oni-plugin-markdown-preview/src/index.tsx
+++ b/extensions/oni-plugin-markdown-preview/src/index.tsx
@@ -1,6 +1,7 @@
import { EventCallback, IDisposable, IEvent } from "oni-types"
import * as dompurify from "dompurify"
+import * as hljs from "highlight.js"
import * as marked from "marked"
import * as Oni from "oni-api"
import * as React from "react"
@@ -84,6 +85,9 @@ class MarkdownPreview extends React.PureComponent
+