Categories
NativeScript Vue

NativeScript Vue — Navigation, Toggles, and Sliders

Vue is an easy to use framework for building front end apps.

NativeScript is a mobile app framework that lets us build native mobile apps with popular front end frameworks.

In this article, we’ll look at how to build an app with NativeScript Vue.

SegmentedBar

The SegmentedBar component lets us display a set of buttons and let us select a choice by clicking one.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <SegmentedBar>
        <SegmentedBarItem title="First" />
        <SegmentedBarItem title="Second" />
        <SegmentedBarItem title="Third" />
      </SegmentedBar>
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {};
</script>

to add the SegmentedBar .

The flexDirection is set to 'column' so that the SegmenteBarItem s are displayed side by side.

We can also bind the selected bar item’s index to a reactive property with the v-model directive:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <SegmentedBar v-model="selectedItem">
        <SegmentedBarItem
          v-for="item in listOfItems"
          :key="item"
          :title="item.title"
        />
      </SegmentedBar>
      <Label :text="selectedItem" style="text-align: center" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {
  data() {
    return {
      listOfItems: [
        { title: "apple" },
        { title: "orange" },
        { title: "grape" },
      ],
      selectedItem: 0,
    };
  },
};
</script>

We use v-model to bind the selectedItem reactive property to the selected index.

So when we click on an item, we’ll see the index of it displayed in the Label .

Slider

The Slider component is a UI component that shows a slider control for picking values in a specified numeric range.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <Slider v-model="value" />
      <Label :text="value" style="text-align: center" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {
  data() {
    return {
      value: 0,
    };
  },
};
</script>

to add the numeric slider and bind the selected value to the value reactive property.

We can set the minValue and maxValue props to set the min and max values that we can choose respectively.

The default values are 0 and 100 respectively.

Switch

Then Switch component lets us add a toggle switch in our app.

For instance, we can use it by writing:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <Switch v-model="itemEnabled" />
      <Label :text="itemEnabled" style="text-align: center" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {
  data() {
    return {
      itemEnabled: false,
    };
  },
};
</script>

We bind the toggle switch’s value to the itemEnabled reactive property with v-model .

And the selected value is displayed in the Label .

TabView

The TabView is a navigation component that shows content grouped into tabs and lets users switch between them.

For example, we can use it by writing:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <TabView
        :selectedIndex="selectedIndex"
        @selectedIndexChange="indexChange"
      >
        <TabViewItem title="Tab 1">
          <Label text="Content for Tab 1" />
        </TabViewItem>
        <TabViewItem title="Tab 2">
          <Label text="Content for Tab 2" />
        </TabViewItem>
      </TabView>
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {
  data() {
    return {
      selectedIndex: 0,
    };
  },
  methods: {
    indexChange({ value: newIndex }) {
      this.selectedIndex = newIndex;
      console.log(newIndex);
    },
  },
};
</script>

We add the TabView and set the selectedIndex reactive property to the value of the value property in the parameter object when the selectedIndexChange event is emitted.

The tab content is rendered by the TabViewItem component.

The Label s are the content.

Conclusion

We can add a segmented bar and tab view to add navigation into our NativeScript Vue mobile app.

Numeric slider and toggles are also provided by NativeScript Vue.

Categories
NativeScript Vue

NativeScript Vue — Page, Progress Bar, Scroll View, and Search Bar

Vue is an easy to use framework for building front end apps.

NativeScript is a mobile app framework that lets us build native mobile apps with popular front end frameworks.

In this article, we’ll look at how to build an app with NativeScript Vue.

Page

The Page component lets us render the app’s screen.

It’s a wrapper for one or more components.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <Label text="Foo" />
      <Label text="Bar" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {};
</script>

to add the labels to the page.

Placeholder

The Placeholder component lets us add native widgets into our app.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <Placeholder @creatingView="creatingView" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {
  methods: {
    creatingView(args) {
      const nativeView = new android.widget.TextView(args.context);
      nativeView.setSingleLine(true);
       nativeView.setEllipsize(android.text.TextUtils.TruncateAt.END);
      nativeView.setText("Hello World");
      args.view = nativeView;
    },
  },
};
</script>

We listen to the creatingView event and run the creatingView method when it’s emitted.

Then we create the text view with the android.widget.TextView constructor.

We pass in the args.context property to return the native view.

Then we call the setEllipseize to set the ellipsis for the text view.

And we call setText to set the text for the text view.

And we set that as the value of the args.view property to set the view.

Progress

The Progress component lets us show a bar to show the progress of a task.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <Progress :value="currentProgress" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {
  data() {
    return {
      currentProgress: 50,
    };
  },
};
</script>

We add the Progress component to show the progress bar.

The value prop has the progress value. It can be between 0 and 100.

ScrollView

The ScrollView component lets us add a scrollable content area into our app.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <ScrollView orientation="horizontal">
        <StackLayout orientation="horizontal">
          <Label :text="n" v-for="n in 100" :key="n" width='30' />
        </StackLayout>
      </ScrollView>
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {};
</script>

to add a ScrollView with a StackLayout inside.

We set both orientation props to 'horizontal' to display a horizontal scroll view.

Then we add the Label inside the StackLayout to display the numbers.

Now we can scroll through the numbers.

SearchBar

The SearchBar component lets us add an input box to let users enter a search query.

For instance, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <SearchBar v-model="searchQuery" @submit="onSubmit" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {
  data() {
    return {
      searchQuery: "",
    };
  },
  methods: {
    onSubmit() {
      alert(this.searchQuery);
    },
  },
};
</script>

We bind the input value of the SearchBar to the searchQuery reactive property.

Then when we press Enter, the submit event is emitted.

Then the onSubmit method is called.

We can add a search hint with the hint prop.

Conclusion

We can add a page, progress bar, scroll view, and search bar into our mobile app with NativeScript Vue.

Categories
NativeScript Vue

NativeScript Vue — Labels, ListViews, and List Pickers

Vue is an easy to use framework for building front end apps.

NativeScript is a mobile app framework that lets us build native mobile apps with popular front end frameworks.

In this article, we’ll look at how to build an app with NativeScript Vue.

Label

We can add a label to our app with the Label component.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <Label text="Label" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {};
</script>

to add a label into our app.

The text prop has the text to display.

We can also add formatted text with:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <Label textWrap>
        <FormattedString>
          <Span
            text="hello world"
            fontWeight="bold"
            fontStyle="italic"
            style="color: red"
          />
        </FormattedString>
      </Label>
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {};
</script>

We add the FormattedString component to add the formatted string.

The Span has the text, font weight, font style, and other styles we want to add.

ListPicker

We can add a component to let users pick a choice with the ListPicker component.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <ListPicker
        :items="listOfItems"
        selectedIndex="0"
        @selectedIndexChange="selectedIndexChanged"
      />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {
  data() {
    return {
      listOfItems: ["apple", "orange", "grape"],
    };
  },
  methods: {
    selectedIndexChanged({ value }) {
      console.log(value);
    },
  },
};
</script>

We add the ListPicker component with the items prop to set the items displayed.

selectedIndex is set to 0 to select the first item by default.

And we listen to the selectedIndexChange event that’s emitted from the component.

We can get the index of the selected component with the value prop.

We can shorten this with the v-model directive:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <ListPicker :items="listOfItems" v-model="selectedItem" />
      <Label :text="selectedItem" style="text-align: center" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {
  data() {
    return {
      listOfItems: ["apple", "orange", "grape"],
      selectedItem: "",
    };
  },
};
</script>

It binds the index of the selected item to the selectedItem reactive property.

ListView

We can add a vertically scrolling list view with the ListView component.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <ListView for="item in listOfItems" [@itemTap](https://medium.com/r/?url=http%3A%2F%2Ftwitter.com%2FitemTap "Twitter profile for @itemTap")="onItemTap">
        <v-template>
          <Label :text="item.text" />
        </v-template>
      </ListView>
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {
  data() {
    return {
      listOfItems: [
        {
          text: "apple",
        },
        { text: "orange" },
        {
          text: "grape",
        },
      ],
      selectedItem: "",
    };
  },
  methods: {
    onItemTap({ item }) {
      console.log(item);
    },
  },
};
</script>

to add the ListView component to display our objects in our code.

We add a Label into the default slot to display the items the way we like.

The itemTap event is emitted when we tap on an item.

Then we can get the tapped item with the onItemTap method.

Also, we can add multiple v-template blocks.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <ListView for="item in listOfItems" @itemTap="onItemTap">
        <v-template>
          <Label :text="item.text" />
        </v-template>

        <v-template if="$odd">
          <Label :text="item.text" color="red" />
        </v-template>
      </ListView>
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {
  data() {
    return {
      listOfItems: [
        {
          text: "apple",
        },
        { text: "orange" },
        {
          text: "grape",
        },
      ],
      selectedItem: "",
    };
  },
  methods: {
    onItemTap({ item }) {
      console.log(item);
    },
  },
};
</script>

We add the if prop to the v-template to show something different for items with an odd index with the $odd reactive property.

Also, we can use $even to for check if an item has an even index.

$index has the index of the item.

ListView doesn’t loop through the list items like we expect with v-for .

It just creates the required views to display the currently visible items on the screen.

The views are reused for items that were off-screen and now shown on-screen.

Conclusion

We can add labels, list pickers, and list views into our mobile app with NativeScript Vue.

Categories
NativeScript Vue

NativeScript Vue — Date Picker, Frame, HtmlView, and Images

Vue is an easy to use framework for building front end apps.

NativeScript is a mobile app framework that lets us build native mobile apps with popular front end frameworks.

In this article, we’ll look at how to build an app with NativeScript Vue.

DatePicker

NativeScript Vue comes with a date picker component.

To use it, we add:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <DatePicker v-model="selectedDate" />
      <Label :text="selectedDate" style="text-align: center" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {
  data() {
    return {
      selectedDate: undefined,
    };
  },
};
</script>

We add the DatePicker with the v-model directive to bind the selected value to the selectedDate reactive property.

Also, we can restrict the date range that we can choose with the minDate and maxDate props.

They’ll set the min and max dates that we can choose.

date get or set the complete date.

And day , month , and year gets or sets the day, month, and year respectively.

Frame

The Frame component is the root element for our app.

Every app needs at least one Frame .

We can have also more than one Frame.

For example, in main.js , we have:

import Vue from 'nativescript-vue'
import App from './components/App'
import VueDevtools from 'nativescript-vue-devtools'

if(TNS_ENV !== 'production') {
  Vue.use(VueDevtools)
}

// Prints Vue logs when --env.production is *NOT* set while building
Vue.config.silent = (TNS_ENV === 'production')

new Vue({

  render: h => h('frame', [h(App)])
}).$start()

to render the frame.

HtmlView

We can add the HtmlView component to show static HTML content in our NativeScript Vue app.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <HtmlView html="<div><h1>HtmlView</h1></div>" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {};
</script>

to add the HtmlView to display the raw HTML in the html prop.

Image

The Image component lets us show images.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <Image
        src="https://i.picsum.photos/id/23/200/200.jpg?hmac=IMR2f77CBqpauCb5W6kGzhwbKatX_r9IvgWj6n7FQ7c"
        stretch="none"
      />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {};
</script>

We set the src prop to the URL of the image.

stretch is set to 'none' to disable stretching.

We can also the src to a path in the project. For instance, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <Image src="~/assets/images/NativeScript-Vue.png" stretch="none" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {};
</script>

We can reference an image in the /src/assets/images folder with this path.

Also, we can reference an icon:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <Image src="res://icon" stretch="none" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {};
</script>

A base64 string also works:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <Image
        src="data:image/jpeg;base64,/9j/4AAQSkZJRgABAQAAAQABAAD/4QDeRXhpZgAASUkqAAgAAAAGABIBAwABAAAAAQAAABoBBQABAAAAVgAAABsBBQABAAAAXgAAACgBAwABAAAAAgAAABMCAwABAAAAAQAAAGmHBAABAAAAZgAAAAAAAAA4YwAA6AMAADhjAADoAwAABwAAkAcABAAAADAyMTABkQcABAAAAAECAwCGkgcAFQAAAMAAAAAAoAcABAAAADAxMDABoAMAAQAAAP//AAACoAQAAQAAAMgAAAADoAQAAQAAAMgAAAAAAAAAQVNDSUkAAABQaWNzdW0gSUQ6IDIzAP/bAEMACAYGBwYFCAcHBwkJCAoMFA0MCwsMGRITDxQdGh8eHRocHCAkLicgIiwjHBwoNyksMDE0NDQfJzk9ODI8LjM0Mv/bAEMBCQkJDAsMGA0NGDIhHCEyMjIyMjIyMjIyMjIyMjIyMjIyMjIyMjIyMjIyMjIyMjIyMjIyMjIyMjIyMjIyMjIyMv/CABEIAMgAyAMBIgACEQEDEQH/xAAbAAACAwEBAQAAAAAAAAAAAAAABAECAwUGB//EABcBAQEBAQAAAAAAAAAAAAAAAAABAgP/2gAMAwEAAhADEAAAAU21WN8nGVGZGmVWZGK040ej1Q6GbMxM0BBJATBCFZolFdVdRfkdfmdLxyw0wwswjbSbKMspsZjHA7XFV70KTGW851zrSPI+msZiCArVLYi1grKm0IaKaqhUa33U2HWEtkd2Q1ke4XUTH/SfMfe4rmHMQTP0jaoxXOsl6ZZVKkqbQvC9srxi1mVJddFLj107o5tz9rHxfQ812lol18z9J8FL7TvfM+5M+ory9rlnFfKtVKrW6Lxi0YmUtjIibYaKzda1jOi1xm6kpHPnnTX0Ticj0jPkm1tWqeo8N2k7eWFdTbLPOL4mS2zjOWxmFrZSb3WuMXXua525wpUtNR1OUJ2kmVrEiCad6XB3s7FKVZvmZrNChJQWxAWtnJtOOJuhBAys0ZZMrK5og4kdTq+kZ830OzVlTxHt9F+d0tldWrEKEBcoGk52IVaWiCRY2y1Jw0oQWsT9E+eVk9+nzudc9xHl7U3zdJVWuuKyQAVks4r209Zx+I1MzqnFvS8t7Txcu3YS9ynE26XBR1fbvx8ltfG9G8MxN653JiYqSAi+ZHpUuRROhitCt78+CdcNQ994GU7LCOdnb5STJXlOLNUAlLVkuRNkARUBYgCSAkIL3rZDHbJejVHSzrc9QhyFQrIKTAXKygARALAAAAEl5qJfK9SImFJgJmJIAIkAmJAAiAAAAAkCZAKgQAAASAAAAABIB//EACcQAAICAgIBBAIDAQEAAAAAAAECAAMEEQUSIBATITAUMRUiMiRg/9oACAEBAAEFAhFggggm53gO/sJjGPLBGgiwQQQRv09pDY7dl+tjDDLI8EWLBBBD+rk22KWSA7HoT5kwmMYzSwxoIIIPQGE/D2asqVWTXWA7juFD8j3ya27L4EwtC0ZoxjRoDAYDAZuBp2mUNHjb+y+jL7os4/2b6vhZubhMZozQtC0JhMb0EBgM3AZuZA7Ji3ezkfkqUvyOlfHcgruwDD9Tc3CYWjNGaEwmEwmGbgMBnadoGnaH5GSvR8Ww9MpmsUEo/H8h3Wydp2haFoxjGEwmEzcM3Nzc3NwGAztMhexDdK8GlXxsyv28qr5FfIECrIDgvO0LwvC0JhMJm5ubm4DN+vadpY3zdZ8cVkBqOVq/6K26NevZMW8o/fYLTtO0JhMJm5vx3Nzc3O0ss+XbZwMg1W5xFgsXRR9ofhsfI+O03Nzc35bm/GxtJv0B0fySa2/sv+fVMgiLZ2m/p3AZub9L38aTuu7wrJB8N+W5ubj26n79FEYelDaN8THd5VxlrxeKCluPpx0s4yuyq2tqbNzf0u/gn6b1D9xw1tfuZZtxpbVXn42Nki6e6eOszsavModSjfQx+PCv9ufAMQeO5ZcgX+5xV2XfVmj+SZqkutxjbdXkRkK/QyMRrwT9v/qanWdGhBU08mwqsr+Rdue0dd67I3aqMUYeOPV712VRRi4HE8eltZxFyeU5XDqxVXhj+KBo1Ve668Y0/jBXXh42PlBfxhyHM4C11xWKnujz/DF2dvJVLn2/xVtyrs2JyD49OPf+KTe+ZlZnLD8cTBuFOdzFHu8fw94yMHDb+O5fnKSllNiclx9iGq36VALV5OLhI/fILWd5/iLW1ke5VUnsYZhcituDiZP8fnclZ+Sxz/y8DBy2w7cz+z/Xv1LsfQehlVhre9Pcqx32GU49t6C1EPcMvVvuMHhjXdDfX7NoZcmiq72jeEFj2CxPvHj7jMv/AJb/xAAeEQACAgICAwAAAAAAAAAAAAAAAREwECACMSFQYf/aAAgBAwEBPwHRWLE1o6w7OI1WkdPDV0WNs8nVkEasjCGRRGjR9wrI9B//xAAcEQADAAMAAwAAAAAAAAAAAAAAAREQIDACQFD/2gAIAQIBAT8BykPZC1R5YmUhbtELcQXFkJ1Xt0vRcqUv2v/EADIQAAECBAIIBQMFAQAAAAAAAAEAAgMREiExMgQQEyJAQVFhICMwUnFCYLEUYoGRodH/2gAIAQEABj8C+0wVbVMqgYcJNU65IOGB4aY1GG8/GqXCTV0aV3QhxDfqp8NMjFPHdTGKpfircLQp9dVQUlPhAmu1S1UnhaSp+C/AS4i3ilqsFggHm6rfgvLMjyRY8SI9OQ9CRRgxM30pseHeG3Ozsg6G7ux45I6PHEozbOb1VESZ0Y5XexVslVyIUjwYINwhBjyETryctrBFWjvzM6JsWEaXt/sLY6UJ/uXkPmw/Sril3ozlb0sNWx0jfh9eYVcF1uylECqgGse1SiinurOa9hUxNp6eINTnEYC3yjGic8E6DDyNxKhhmZy2jjvSnJFFvNXsO6L3YC6OzM5Yr9IYZB6lNjwxhZ2qxW/Y+4Ldd/IVTjM+OQxUzYqT3eU1UQseSLp75xK28TKxbNoucdUNzsuBTiBdm8tm65Zun4T4Dsjt3/ihaUyxwJ/Cv9Yk7sU5jsQZekATLuV5Q20b3HALbaS+ln5VMNsmDksZu6rozmSqGZR4KIuYCk90fYbH4W1AkWoQombAlOYcrsVtOuPryJ8Mwg9qpK7LasVBUjwlLsqm3A3CLSZPbcKXJThmxur5x/vChpNh9r//xAAnEAEAAgEEAgIBBQEBAAAAAAABABEhECAxQVFhMHHwQIGRsdGhwf/aAAgBAQABPyGVHHHHMCBvSD8TrGZpGmDe9rUom5UqV8C6Dj08tg4xRxS2CUl8QrDUCDey4u2ltj0OOODpZs5LiEwloVoj6InU2VrpcWLu6F3FtKzWGoTPXJOpYXAe2Gck2gpJcYYw7w7lCPWDSkgkU84uBSZls3mUnFcmUlh/FpfioHpNQkmkIzyJSiAqDVkl1FAz64qiKpofg6pjC0EkEGpSCCBigy8xgzELM0Zf/DvzMmaD7wN1IMOgagMGGpKKELWyQbk4RIkHPBacMxhosuwowwsGDBhBBoYEHTWRMQyzOksHMipbdzG0YZZYWLFly4QRcGXLlkxaxjWEqE4gD9IucW24KNkxeRANjGFlxYsWXLlw0BBAy5rDmVbEqXMP4hrWpg91LaixYuhZely4QaFGlmKq2HMslTpbruZBABwM7nUKiLgZ1o8viXbAWuo0CJ0Liy5ey4uwd+xDoNNkHt4wI7W7jAb2Iz7Eq+v3CAHmscHyepXXP5H0fUFsgX3iJjpJcvW5etG0qnNWx+g1iRueGL8LhfaFr29eIqnjPEL4NsBOfuO3yg4n7qtzmOPOy5cuXKGUWuolStfklQTL+IM4UoKUzPZij8twygeip2r5g67Y9j/YZAXj1KY8DI3PtgeR/fZcuNwYuYFni9ukBe7UZh6Svo5nNGceiHqzLXWkEM9oCmvmdS2eKyHUafZuoMp+jicTCSVX9M6l+Y/9nDL9xFbcg4eOrfyvcou63FTtQZP2sokmX89y0LfB8e43nF4ILDiAlhgdKLE5vz/JByNgrx3PDZj2uJZGnyfHaYs1qdJlRa0yl+H3Dipy2EvaSEv0EzzToqXPsyHf0Ji9An+1iieRHqaIANcJ5fLFtYOnlDlPSIgz/mGYrDprslYrp9o4Yujxjw9MPu4bRuuKaFccS0MLCA2U8R4nLThOhHCeYLoUzidvP9kOpzyeyFOSskzp9e4zdWw+B0OdA0Z3KHkf8Y1j3MHEbJGVZfJMiYcOmBePb8w2nmdRuU4JwxhH9AadR2n6E0uP6l+b/9oADAMBAAIAAwAAABAEaVWwRTwUKLAwnwNJzS5iYaakFCC4W+ZRDynGjAxqkTf7PkO1hw9r2C/Lit8jNUY8sYobBvmSB9acLqCgGfYJJHTsLBwi8BbjwJKc5wHkMfXYPHXy9dU0Ofvp8OnWgDwn/CgQQ9qTIOARvNiADgdNSyACDjByACCJzzzwADwD/8QAHxEAAwACAwADAQAAAAAAAAAAAAERECEgMUEwUWFA/9oACAEDAQE/EGPCRQqUo2N4QhjyTa2RKNu7KN5Sw0NEOw9hJsouEJCWIQmHtDeD/CEEhISzCEwNMf0tshCEzMJbw0mLuYac4JQYhrdKIh12xPkWGLDSZ22QhKa4N4ikojd/EO3tjOxFesSmzsnFCE+8UWEXXjNNfHN0+hP7/wD/xAAeEQADAAMAAwEBAAAAAAAAAAAAAREQICEwMUFAUf/aAAgBAgEBPxAYygkc2TQxijJsg3S0E1hBzdRaVHCEEE0pcoZN8+Et3BLelGxLtw2Lu3hOZT8FEMRUnC/YmsezwhkGr7E+nJwt0SI57I6hX6NEX1DfjxdqURFekVJwf98KGXhS+J/l/8QAJhABAAICAQQCAgMBAQAAAAAAAQARITFBEFFhcSCBkaGxwfDRMP/aAAgBAQABPxB5Jqmua5ojYhn3BUWUhGJBly/gsWLFKBl9wXM3yxmaWhcS84TjGjTtKEazFpDiGEKPQkuXLlxYsqJunlhIkpmEtNpwg1EEVMxEJQ9o6d7iYLApN9QbWoAuXFlxjHKTp0LKrzMqXLHmZpXU09KrbLKHiUQ9oUZsle8jtKBqorVAuFFcBqeQyXHqEQ3PNPPN+ZfeZSczZ0tGZTXU/JCwneMvdBfsy40xdyoI5uFiOjbhezLu7dNE8sAhs5jl5jXuJ3mzMvuZGPMpmCeWeeXcyrmOnNQuabIUFRqBt4WGbsWfqIgESZVbhjyTySo3BpzCbzN2YneeaZdxWQ+jXzKOZm3PPLuZmHJAuNuKooOYWAMYhThO7w6GBTN+GIDjW5SrGUcwe8s5lg5lK5g7+F1pCj0ryeSUO5rzC7wK3FiuZRVTUNlc3GHoGnqMOwcQ26mhcJgS3kzAzmArcAEuM3TEWY9zy/AgjNCrcIvlfM7DBd5YCV7RFU1HSMAeaLmFIF4i47vxC6MJFOY17lpPJE7/ADaSp1EvfWCnMyG9RDp1H8RBKwnvF/GzMZoInsqXsKRxBKgO8AWNnRqNyznp39dYOoic+5ruDmWqajpXfSKakZZw2xNhLik2XfcwUiJyRsXyQaKeTptzp2SiM7Q6DyShnlgpdwQe63MhLwsVBEr05wlUrnpUF2gyiXEGKiLFuU89NiyML0kUMFJhzAW5/GOUtYqEOyzIx3DVUa+4FHESE6GMjR3JNvbRlgA24rMeb4h2w8ysYj/wpHnyeOmy26D1LqDCspWe2Kra9TcgWY7iElJpmGpXD3lm7y/nPc/3+iCs7QtCgpSPf7wk9aDLrzo44jrijLT+bt5JcHWQnavkjn1UjERhWL0EGYYiu8sW2/gynclQO9vU3BBoWpE0jKLJxZ7eDw0xNVqTXO/47MEkdg2vNbIEojRPR38xtCrbj9dopacLa/ETsXxGosuL0EFYXgRAc1BKBXtFVIjLhaQLlRr2mT+YJmkGFtK/EBD/AKliQcMcZKLP/J7zLnE3+q8PhmqjdKv5OH1K4bt36jh6zFgjxXdvMGL6GB8JsfDEAi2H0OH3L6CdR1NJbxL3oe4mB+YZO5/NYtY+P9H3iLy2i+XkfyhBXgMCrp81C1mmoLqjAOSFWxwR+450PbABaweoYAI21iX9e2FmRXhNRWgQXA/2Y/ENiLlrhDXscyyabBp9m0ie3lAX5HDHRUKRftW3zKqAPcjOelwYpllARvtQzio29eDgvu9/4QdukFlsYfxM4YK82dvnf2zBIXtAZB7q5YnlxGytffPj3ECuVysLoL+6DC/ppgBHx0Y/Rv6hBS3lsi34s+omMrarN/uD7lhgWwV/YPqUwAX7efw0PFSsQR8jUdx7y7I6YWly+0uDGL9Td9lRon3Pni8sXEkR9H9zHqu9MH7TF5OwMh4Imt2b1j/r2COs9o5vNLI2rErDUbQ9oua/3LShfZh9RJEdDym/YP8AcAigu224fpgEghG/7H+YI4Wdj/KenxHLbUvPD+Oh05ixL6alwY4S7ECgt0eJdgBwg7lru8nMCArZbA+piAguC8TJkGM29JBOsgGU5P7/ADLxqRoebZ9Qml/KmT2QVDeHIb++fzFDLqkun/YOmVvud/gofFYbiuGDpK3ExXKbgw3HEC7VcP8AjEFMGpuvE4iMgKbD3M1K9D3hwIgOVsiedQBgdSG4MuXLlxYRnEVRyw43L5uKo5mMXDU9I8QXAp66NYPiPwY/AhuLHeDHshzDUMMdxyR1H4nwfkdF0y3eO5eOjOIfE6v/AIBDXTXzEfidP//Z"
        stretch="none"
      />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {};
</script>

We can also display a font icon:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout flexDirection="column">
      <Image src.decode="font://&#xf004;" class="fas" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {};
</script>

We add the decode modifier to decode the icon font.

Conclusion

We can add a date picker, HTML view, frame and an image into our app with NativeScript Vue.

Categories
NativeScript Vue

NativeScript Vue — Toolbars, Progress Indicators, and Buttons

Vue is an easy to use framework for building front end apps.

NativeScript is a mobile app framework that lets us build native mobile apps with popular front end frameworks.

In this article, we’ll look at how to build an app with NativeScript Vue.

ActionItem

We can use the ActionItem component to add action buttons into the ActionBar component.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App">
      <ActionItem
        @tap="onTapShare"
        android.systemIcon="ic_menu_share"
        android.position="actionBar"
      />
      <ActionItem @tap="onTapDelete" text="delete" android.position="popup" />
    </ActionBar>
    <WrapLayout></WrapLayout>
  </Page>
</template>

<script >
export default {
  methods: {
    onTapShare() {
      console.log("shared tapped");
    },
    onTapDelete() {
      console.log("delete tapped");
    },
  },
};
</script>

The first ActionItem is an icon that’s displayed on the bar.

We set the icon to display with the android.systemIcon prop.

The android.position prop sets the location that the icon is displayed in.

The 2nd ActionItem has the text prop for the menu item text.

And we set the android.position to 'popup' so that we display the ‘delete’ item in the popup menu on the top right corner.

The tap event listeners are run when we tap of the buttons.

NavigationButton

The NavigationButton component lets us add navigation buttons into our app.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App">
      <NavigationButton
        text="Go back"
        android.systemIcon="ic_menu_back"
        @tap="goBack"
      />
    </ActionBar>
    <WrapLayout></WrapLayout>
  </Page>
</template>

<script >
export default {
  methods: {
    goBack() {
      console.log("go back tapped");
    },
  },
};
</script>

We add the NavigationButton into our ActionBar .

We set the text for the navigation button, which is displayed beside the icon.

android.systemIcon sets the icon.

We have the tap event listener on the NavigationItem , so the goBack method is run when we tap on the navigation button.

ActivityIndicator

The ActivityIndicator component lets us show a progress indicator for the user.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"> </ActionBar>
    <WrapLayout>
      <ActivityIndicator :busy="busy" @busyChange="onBusyChanged" />
    </WrapLayout>
  </Page>
</template>

<script >
export default {
  data() {
    return { busy: false };
  },
  mounted() {
    this.busy = true;
    setTimeout(() => {
      this.busy = false;
    }, 3000);
  },
  methods: {
    onBusyChanged() {
      console.log("busy changed");
    },
  },
};
</script>

We add the ActivityIndicator to our app.

The busy prop controls when the activity indicator is displayed.

It’ll be displayed if it’s true .

Also, we listen to the busyChange event with the onBusyChanged method.

It runs whenever the busy prop is changed.

Button

We can use the Button component to add a button into the screen.

To do this, we write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout
      justifyContent="space-around"
      flexDirection="column"
      backgroundColor="#3c495e"
    >
      <Button text="Button" @tap="onButtonTap" />
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {
  methods: {
    onButtonTap() {
      console.log("button tapped");
    },
  },
};
</script>

We add the Button component with the text prop to set the button text.

And we listen to the tap event with the onButtonTap method.

We can style our button with the Span component.

For example, we can write:

<template>
  <Page>
    <ActionBar title="NativeScript App"></ActionBar>
    <FlexboxLayout
      justifyContent="space-around"
      flexDirection="column"
      backgroundColor="#3c495e"
    >
      <Button @tap="onButtonTap">
        <Span text="Red and Bold" fontWeight="bold" style="color: red" />
      </Button>
    </FlexboxLayout>
  </Page>
</template>

<script >
export default {
  methods: {
    onButtonTap() {
      console.log("button tapped");
    },
  },
};
</script>

We add the Span inside the Button .

The text prop sets the button text.

fontWeight sets the font-weight.

The style prop sets the text style.

Conclusion

We can add top bar items, progress indicators and buttons with NativeScript Vue.