如何让Android设备震动?

我写了一个Android应用程序。 现在,我想在发生某些操作时使设备振动。 我怎样才能做到这一点?


尝试:

    import android.os.Vibrator;
     ...
     Vibrator v = (Vibrator) getSystemService(Context.VIBRATOR_SERVICE);
     // Vibrate for 500 milliseconds
     if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
            v.vibrate(VibrationEffect.createOneShot(500,VibrationEffect.DEFAULT_AMPLITUDE));
     }else{
     //deprecated in API 26 
            v.vibrate(500);
     }

注意:

不要忘记在AndroidManifest.xml文件中包含权限:

<uses-permission android:name="android.permission.VIBRATE"/>

授予振动许可

在开始实施任何振动代码之前,您必须为您的应用程序提供振动许可:

<uses-permission android:name="android.permission.VIBRATE"/>

确保在AndroidManifest.xml文件中包含此行。

导入振动库

大多数IDE都会为你做这件事,但如果你的不是:

 import android.os.Vibrator;

在你想要发生振动的活动中确保这一点。

如何在特定时间振动

在大多数情况下,您需要将设备振动一段短时间,预定时间。 您可以通过使用vibrate(long milliseconds)方法来实现此目的。 这是一个简单的例子:

// Get instance of Vibrator from current Context
Vibrator v = (Vibrator) getSystemService(Context.VIBRATOR_SERVICE);

// Vibrate for 400 milliseconds
v.vibrate(400);

就是这样,简单!

如何无限震动

可能会出现这种情况,您希望设备无限期地继续振动。 为此,我们使用vibrate(long[] pattern, int repeat)方法:

// Get instance of Vibrator from current Context
Vibrator v = (Vibrator) getSystemService(Context.VIBRATOR_SERVICE);

// Start without a delay
// Vibrate for 100 milliseconds
// Sleep for 1000 milliseconds
long[] pattern = {0, 100, 1000};

// The '0' here means to repeat indefinitely
// '0' is actually the index at which the pattern keeps repeating from (the start)
// To repeat the pattern from any other point, you could increase the index, e.g. '1'
v.vibrate(pattern, 0);

当你准备好停止振动时,只需调用cancel()方法:

v.cancel();

如何使用振动模式

如果你想要更多的定制振动,你可以尝试创建自己的振动模式:

// Get instance of Vibrator from current Context
Vibrator v = (Vibrator) getSystemService(Context.VIBRATOR_SERVICE);

// Start without a delay
// Each element then alternates between vibrate, sleep, vibrate, sleep...
long[] pattern = {0, 100, 1000, 300, 200, 100, 500, 200, 100};

// The '-1' here means to vibrate once, as '-1' is out of bounds in the pattern array
v.vibrate(pattern, -1);

更复杂的振动

有多个SDK提供更全面的触觉反馈。 我用于特效的是Immersion针对Android的触觉开发平台。

故障排除

如果您的设备不会振动,请首先确保它可以振动:

// Get instance of Vibrator from current Context
Vibrator v = (Vibrator) getSystemService(Context.VIBRATOR_SERVICE);

// Output yes if can vibrate, no otherwise
if (v.hasVibrator()) {
    Log.v("Can Vibrate", "YES");
} else {
    Log.v("Can Vibrate", "NO");
}

其次,请确保你已经给你的应用程序许可振动! 回头看看第一点。


更新2017年振动(间隔)方法已被Android-O(API 8.0)弃用

要支持所有Android版本,请使用此方法。

// Vibrate for 150 milliseconds
private void shakeItBaby() {
    if (Build.VERSION.SDK_INT >= 26) {
        ((Vibrator) getSystemService(VIBRATOR_SERVICE)).vibrate(VibrationEffect.createOneShot(150, VibrationEffect.DEFAULT_AMPLITUDE));
    } else {
        ((Vibrator) getSystemService(VIBRATOR_SERVICE)).vibrate(150);
    }
}
链接地址: http://www.djcxy.com/p/86063.html

上一篇: How to make an Android device vibrate?

下一篇: Android crash reporting library (pre Froyo)