UniMelb Comp30022 IT Project (Capstone) - 2.Vuforia in Unity
2 Vuforia in Unity
Tutorial: https://www.youtube.com/watch?v=X6djed8e4n0&t=213s
Preparation:
Download "Vuforia for Unity" from https://developer.vuforia.com/downloads/sdk?d=windows-30-16-4815&retU
import Vuforia into Unity by dragging "vuforia-unity-xxx.unitypackage" into Unity project window
AR Camera:
Assets > Vuforia > Prefabs > drag ARCamera into the scene & save as ufoScene
Add a license key in https://developer.vuforia.com/targetmanager/licenseManager/licenseListing
Select ARCamera object and Open Vuforia Configuration in the inspector window, and put in app license key
save and run, the camera is on~
Import Game Asset: http://wirebeings.com/markerless-gps-ar.html
extract it and drag it into unity
drag a flying disk into the scene; scale to 0.1; position to (4.3, 29.7, 200)
now the ufo is fixed on the center of the screen
For the purpose of fixing the position of the ufo at the geolocation in reality:
Change World Center Mode to "Device Tracking"
Open Vuforia Configuration and tick Enable device pose track
UI Text: to show the distance
add UI > Text called distance, and adjust the position and change the text color and content, change Horizontal Overflow to overflow
add a UI Image as the background for the UI Text, adjust the position and change the color and transparent
add a tag called distanceText and set the tag of Text distance to it
Script:
add a script called AugmentedScript to Flying Disk object
ref: http://wirebeings.com/markerless-gps-ar.html
using UnityEngine;
using System.Collections;
using UnityEngine.UI; public class AugmentedScript : MonoBehaviour
{
private float originalLatitude;
private float originalLongitude;
private float currentLongitude;
private float currentLatitude; private GameObject distanceTextObject;
private double distance; private bool setOriginalValues = true; private Vector3 targetPosition;
private Vector3 originalPosition; private float speed = .1f; IEnumerator GetCoordinates()
{
// update/get device's gps coordinates
} public void Calc(float lat1, float lon1, float lat2, float lon2)
{// calculates distance between two sets of coordinates, taking into account the curvature of the earth
} void Start(){
// initialization
} void Update(){
// update each frame
}
}
Script Comments:
void start(): initialization
void Start(){
// get the reference to UIText distance to get the user gps coordinates
distanceTextObject = GameObject.FindGameObjectWithTag ("distanceText");
// keep getting the gps coordinates from the phone
StartCoroutine ("GetCoordinates");
// initialize target and original position, transform refers to the flying disk
targetPosition = transform.position;
originalPosition = transform.position;
}
void update(): update each frame
void Update(){
// linearly interpolate from current position to target position
transform.position = Vector3.Lerp(transform.position, targetPosition, speed);
// rotate by 1 degree about the y axis every frame
transform.eulerAngles += new Vector3 (, 1f, );
}
a
and b
by the interpolant t (t = [0,1])
t
= 0 returns a
. When t
= 1 returns b
. When t
= 0.5 returns the point midway between a
and b
.IEnumerator GetCoordinates(): update/get device's gps coordinates
IEnumerator GetCoordinates()
{
// while true so this function keeps running once started.
while (true) {
// code from LocationService.Start documentation sample
// https://docs.unity3d.com/ScriptReference/LocationService.Start.html // check if user has location service enabled
if (!Input.location.isEnabledByUser)
yield break;
// Start service before querying location
Input.location.Start (1f, 0.1f);
// Wait until service initializes
int maxWait = ;
while (Input.location.status == LocationServiceStatus.Initializing && maxWait > ) {
yield return new WaitForSeconds ();
maxWait--;
}
// Service didn't initialize in 20 seconds
if (maxWait < ) {
print ("Timed out");
yield break;
}
// Connection has failed
if (Input.location.status == LocationServiceStatus.Failed) {
print ("Unable to determine device location");
yield break;
} else {
// start doing the device's coordinates processing // Access granted and location value could be retrieved
print ("Location: " + Input.location.lastData.latitude + " " + Input.location.lastData.longitude + " " + Input.location.lastData.altitude + " " + Input.location.lastData.horizontalAccuracy + " " + Input.location.lastData.timestamp); // if original value has not yet been set, then save player's coordinates when app starts
if (setOriginalValues) {
// "private bool setOriginalValues = true;" at the start
originalLatitude = Input.location.lastData.latitude;
originalLongitude = Input.location.lastData.longitude;
setOriginalValues = false;
}
//overwrite current lat and lon everytime
currentLatitude = Input.location.lastData.latitude;
currentLongitude = Input.location.lastData.longitude;
//calculate the distance between where the player was when the app started and where they are now.
Calc (originalLatitude, originalLongitude, currentLatitude, currentLongitude);
}
Input.location.Stop();
}
}
Input.location.Start(): https://docs.unity3d.com/ScriptReference/LocationService.Start.html
public void Calc(float lat1, float lon1, float lat2, float lon2): calculates distance between two sets of coordinates, taking into account the curvature of the earth
public void Calc(float lat1, float lon1, float lat2, float lon2)
{
var R = 6378.137; // Radius of earth in KM
var dLat = lat2 * Mathf.PI / - lat1 * Mathf.PI / ;
var dLon = lon2 * Mathf.PI / - lon1 * Mathf.PI / ;
float a = Mathf.Sin(dLat / ) * Mathf.Sin(dLat / ) +
Mathf.Cos(lat1 * Mathf.PI / ) * Mathf.Cos(lat2 * Mathf.PI / ) * Mathf.Sin(dLon / ) * Mathf.Sin(dLon / );
var c = * Mathf.Atan2(Mathf.Sqrt(a), Mathf.Sqrt( - a));
distance = R * c;
distance = distance * 1000f; // meters
//set the distance text on the canvas
distanceTextObject.GetComponent<Text> ().text = "Distance: " + distance;
//convert distance from double to float
float distanceFloat = (float)distance;
//set the target position of the ufo, this is where we lerp to in the update function
targetPosition = originalPosition - new Vector3 (, , distanceFloat * );
//distance was multiplied by 12 so I didn't have to walk that far to get the UFO to show up closer
}
Build:
switch platform in build settings to Android
in player settings >
Identification > packageName: com.Company.ProductName
Build
Install:
go to .../Android/sdk/platform-tools
confirm your mobile device by ./adb devices
install the signed .apk by ./adb install apk_dir
and it works!
Oh...not really. The geo-location can not be access since there is no permission for the app to access gps service
if (!Input.location.isEnabledByUser) yield break;
http://answers.unity3d.com/questions/38222/android-plugin-and-permissions.html
--> set permissions in manifest.xml
Assets > Plugins > Android > AndroidManifest.xml
add <uses-permission android:name="android.permission.ACCESS_FINE_LOCATION" />
https://docs.unity3d.com/Manual/android-manifest.html;
https://developer.android.com/reference/android/Manifest.permission.html
And then I figure out the solution showed above is not a solution.
what actually happened in my device is the "Time Out", rather than "isEnabledByUser"
UniMelb Comp30022 IT Project (Capstone) - 2.Vuforia in Unity的更多相关文章
- UniMelb Comp30022 IT Project (Capstone) - 1.Android入门
1. Android入门 Android系统架构 Android系统:四层架构.五块区域 1. Linux内核层 Linux Kernel:为Android设备的硬件提供了底层驱动 2. 系统运行库层 ...
- 基于Vuforia的Hololens图像识别
微软官方Hololens开发文档中有关于Vuforia的内容,https://developer.microsoft.com/en-us/windows/holographic/getting_sta ...
- Vuforia开发完全指南---不懂编程也能做AR程序
不懂编程也能做AR程序 可能一听到要做AR程序,很多人都会想到这是程序员的事.如果不懂编程,不会写代码,是做不了AR程序的.其实,Vuforia的Unity SDK非常人性化,即使你不会编程,也能做出 ...
- HoloLens开发手记 - 开始使用Vuforia Getting started with Vuforia
Vuforia在6.1版本的Unity SDK里实现了对HoloLens的支持. 查看 Developing for Windows 10 in Unity 这篇文章来了解如何配置Unity和Visu ...
- Vuforia开发完全指南---Vuforia概述
Vuforia概述 AR(Augmented Reality)增强现实,想必大家都已经很熟悉了.这是当下最热的技术之一,是利用计算机视觉和计算机图像学领域的相关知识将虚拟世界融入到现实生活当中.AR和 ...
- Unity 3D-AR开发-Vuforia教程手册
Unity 开发AR之 Vuforia 本文提供全流程,中文翻译. Chinar 坚持将简单的生活方式,带给世人!(拥有更好的阅读体验 -- 高分辨率用户请根据需求调整网页缩放比例) Chinar - ...
- 一、Vuforia_AR
一.AR概念: 增强现实(Augmented Reality,简称AR),是一种将虚拟信息与真实世界巧妙融合的技术,广泛运用了多媒体.三维建模.实时跟踪及注册.智能交互.传感等多种技术手段,将计算机生 ...
- Jenkins 搭建U3D自动发布 Android
工具 [u3d相关的PostProcessBuildPlayer,PerformBuild.cs] 1.Jenkins 开源包 Java -jar jenkins.war,参考链接 http://w ...
- 从3D Studio Max导入物体 Importing Objects From 3D Studio Max
原地址:http://game.ceeger.com/Manual/HOWTO-ImportObjectMax.html If you make your 3D objects in 3dsMax, ...
随机推荐
- 在eclipse中配置Tomcat时,出现“Cannot create a server using the selected type”的错误。
出现原因:Tomcat重新安装,并且安装目录改变了. 解决方案:在“Window->preferences->Server->Runtime Environment”,编辑Tomca ...
- easy-im:一款基于netty的即时通讯系统
介绍 easy-im是面向开发者的一款轻量级.开箱即用的即时通讯系统,帮助开发者快速搭建消息推送等功能. 基于easy-im,你可以快速实现以下功能: + 聊天软件 + IoT消息推送 基本用法 项目 ...
- Inconsistant light map between PC and Mobile under Unity3D
Author: http://www.cnblogs.com/open-coder/p/3898159.html The light mapping effects between PC and Mo ...
- UICollectionView的水平流水布局自定义layout
最近做合创共美的商城项目,遇到发货地址的不配送地区,是做一个弹出框,弹出框的布局是根据地名字数长短不齐的标签. 本来也可以用tableview来做的.只不过多建几个tableviewcell就可以了. ...
- Redis Sentinel 集群安装 step by step
一. 准备材料 服务器 IP address 操作系统 位数 Redis 版本 CNT06CAH05 192.168.3.47 CentOS 6.5 x64 Redis-3.2.6 sentine ...
- OAuth2.0 与 oauth2-server 库的使用
作者:baiyi链接:https://www.jianshu.com/p/83b0f6d82d6c來源:简书 OAuth2.0 是关于授权的开放网络标准,它允许用户已第三方应用获取该用户在某一网站的私 ...
- PHP curl 携带cookie请求抓取源码,模拟登陆。
公司需要采集一批手机号码,有指定网站.但是需要登陆后才能看到客户号码,手动点击复制太慢,如此就写了以下模拟登陆采集号码程序,分享给大家参考参考. function request_url_data($ ...
- VMWARE虚拟机中CentOs7网络连接
1.选择网络连接模式 这里选择NAT模式 2.查看虚拟机逻辑地址段 编辑---->虚拟网络编辑器 这里显示的是192.168.40.0 我们本机占用了192.168.40.1,网关是192.16 ...
- Linux3.5—视屏模块学习与分析
插入USB摄像头后,我看到了识别出的一些信息,在内核源码中搜到了相关信息: 搜索之后,在uvc_driver.c 帮助文档:linux-3.5/Documentation/video4linux/v4 ...
- QWT编译与配置-Windows/Linux环境
QWT编译与配置-Windows/Linux环境 QWT和FFTW两种开源组件是常用的工程软件支持组件,QWT可以提供丰富的绘图组件功能,FFTW是优秀数字波形分析软件.本文使用基于LGPL版权协议的 ...